【FastAPI】任意のhttpステータスコードを付与する【入門】
当ページのリンクには広告が含まれています。
data:image/s3,"s3://crabby-images/3239c/3239cf2ed8c937b2d8d814040ba055150753fd70" alt=""
代表的なステータスコードには
- 成功(Success)の
200
- 未検出(Not Found)の
404
- サーバーエラー(Internal Server Error)の
500
等がありますが、レスポンスがどのような状態なのか判断するのに重要な要素となります。
デジタルマーケティング研究所
data:image/s3,"s3://crabby-images/472df/472dfdac6477296c3cc2f7509cad30f058103056" alt=""
data:image/s3,"s3://crabby-images/e7f92/e7f92488f3f42ab50447e31daac4b6528aafe55c" alt=""
HTTPステータスコードとは?種類とそれぞれの役割について|Webマーケティング・SEO相談はデジ研
ステータスコードには「古いページから新しいページには301リダイレクト」、「存在しないページにアクセスされた際は404エラーページ」などの指示があります。そこで今回は…
例えば、データベースに登録された情報を参照する場合、データが登録されていれば200番
、見つからなければ404番
にするなどの処理が考えられます。
今回はFastAPI
で任意のステータスコードを付与する方法を記載いたします。
あわせて読みたい
data:image/s3,"s3://crabby-images/472df/472dfdac6477296c3cc2f7509cad30f058103056" alt=""
data:image/s3,"s3://crabby-images/b3d13/b3d13e577b6ec6ec4075a1b4d447e2c54963f3f2" alt=""
Response Status Code – FastAPI
FastAPI framework, high performance, easy to learn, fast to code, ready for production
FastAPIの基礎についての記事まとめ
目次
基本形
今回は下記を基本形としてステータスコードを分岐させていきます。ブログの記事情報を取得するAPIを想定しています。
from fastapi import FastAPI
app = FastAPI()
@app.get('/blog/{id}')
def get_blog(id: int):
return {'message': f'Blog is {id}'}
完成形として、記事があれば200
、無ければ404
とします。現状は下記のような状態です。
data:image/s3,"s3://crabby-images/30bb1/30bb1e74f996839fb274773223fa772bf7ef295e" alt=""
ステータス初期値の記載
ステータスコードに初期値を指定する場合には、デコレーターにstatus_code=status.○○○
の形式で記載します。
その時、fastapi
からstatus
をインポートします。
from fastapi import FastAPI, status <-- Add
app = FastAPI()
@app.get('/blog/{id}', status_code=status.HTTP_200_OK) <-- Add
def get_blog(id: int):
return {'message': f'Blog is {id}'}
ステータスコードは一通り揃っているので迷う事は無さそうです。
data:image/s3,"s3://crabby-images/03a33/03a33ad383ffd58b13d9ad3bcf43880c94259d53" alt=""
ステータスコードの出し分け
例えばblog
のid
が1~3しか登録が無く、4以上はデータが無い場合には
- 1~3 は
200
- 4以上は
404
となります。これを見立ててやってみます。
まずfastapi
からResponse
をインポートし、引数にresponse: Response
、それぞれステータスコードを記載します。
from fastapi import FastAPI, status, Response <-- Add
~~~
@app.get('/blog/{id}', status_code=status.HTTP_200_OK)
def get_blog(id: int, response: Response): <-- Add
if id > 3:
response.status_code = status.HTTP_404_NOT_FOUND
return {'error': f'Blog {id} not found'}
else:
response.status_code = status.HTTP_200_OK
return {'message': f'Blog {id} found'}
それぞれに、response.status_code = status.○○○
形式でステータスを付与しています。
ステータスコードの確認
http://127.0.0.1:8000/docs
でステータスコードの確認を行います。
id
を2にした場合には
data:image/s3,"s3://crabby-images/e39f7/e39f7d63dd818e128ef50eca48994ad82f1f88e8" alt=""
200
に、id
を3以上の5にした場合には
data:image/s3,"s3://crabby-images/e93c3/e93c3be3028a75e1d19032d042e33906d7f058a7" alt=""
404
が返ってきています!無事成功です!
FastAPIの基礎についての記事まとめ
コメント