シンプルなToDoリストのWeb APIを作る。
前回 はWSGIの仕様のみを参考にして作ったが、
今回はWerkzeug というライブラリを利用する。
Werkzeugとは# Werkzeugのドキュメント の
“Werkzeug is a comprehensive WSGI web application library .“という文面にもある通り、
これはWSGIのWebアプリを作るためのライブラリである。
あくまでフレームワークではなく、ライブラリであることに注意する。
Webアプリを作るうえで、便利なクラスや関数が用意された「道具箱」のようなイメージを持つとよいかもしれない
(そもそも"werkzeug"という単語はドイツ語で「道具」という意味)。
あくまで道具があるだけなので、どういう設計を行うかなどを考える余地がある。
ToDoリストAPIの仕様# 前回 と同じだが、再掲する。
簡単のため、今回ToDoのデータはidと内容のみ持つデータとし、{ id: 0, "content": "やること" }
というJSON形式とする。
APIの仕様は以下の通り。
URL Method 説明 返却値 /todo/
GET 全てのToDoを取得。 ToDoのデータのリスト /todo/
POST ToDoを作成。 なし (LocationヘッダにそのToDoへのURLを乗せる) /todo/<todo_id>
GET todo_id
のidを持つToDoを取得。ToDoのデータ /todo/<todo_id>
PUT todo_id
のidを持つToDoを変更。なし /todo/<todo_id>
DELETE todo_id
のidを持つToDoを削除なし
データは最終的にはSQLiteで管理する。
app.py
を以下のようにする。
1
2
3
4
5
6
7
8
9
10
11
from werkzeug.wrappers import Response
def app ( env , start_response ):
response = Response ( 'Hello, World' )
return response ( env , start_response )
if __name__ == '__main__' :
from werkzeug.serving import run_simple
run_simple ( '127.0.0.1' , 5000 , app , use_debugger = True , use_reloader = True )
copy
以降、サーバーを起動する際はpython3 app.py
を実行する。
試しに、コマンドラインで接続を確認してみると良い。
% curl localhost:5000
Hello, World
雛形 - 解説# Response
を使わないWSGIアプリは以下のようになる。
1
2
3
def app ( env , start_response ):
start_response ( '200 OK' , [( 'Content-type' , 'text/plain; charset=utf-8' )])
return [ b 'Hello, World.' ]
copy
一方でResponse
を使えば、レスポンスに関する情報をResponse
に包むことができるため、コードの意味が分かりやすくなっている。
Response
のインスタンスは__call__(env, start_response)
を実装しており、これもまたWSGIアプリとみなせる。
それゆえ、app
関数の最後でreturn response(env, start_response)
のような使い方をしている。
Respons
オブジェクトについてはドキュメント
を読めばわかるが、引数にステータスコード、ヘッダ、MIMEタイプなどを指定することができる
(ドキュメントには明記されていないが、mimetype
を未指定にすると勝手にtext/plain
、エンコーディングはUTF8になるようだ)。
werkzeug.serving
ではデバッグ用のWSGIサーバーが用意されており、run_simple
として利用できる。
詳細はドキュメント を参照。
use_debugger
引数をTrue
にすると、サーバー側でデバッグ用のログが出力されるようになる。
use_reloader
引数をTrue
にすると、ファイルの変更を検知しサーバーを自動でリロードしてくれる。
ルーティング# app.py
を以下のようにする。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
from wsgiref.simple_server import make_server
from werkzeug.wrappers import Request , Response
from werkzeug.routing import Map , Rule , Submount
from werkzeug.exceptions import HTTPException
from views import todo
def hello ( request : Request ):
return Response ( 'Hello, World' )
URL_MAP = Map ([
Rule ( '/' , endpoint = hello ),
Submount ( '/todo' , [
Rule ( '/' , methods = [ 'GET' ], endpoint = todo . get_all ),
Rule ( '/' , methods = [ 'POST' ], endpoint = todo . post ),
Rule ( '/<int:todo_id>/' , methods = [ 'GET' ], endpoint = todo . get ),
Rule ( '/<int:todo_id>/' , methods = [ 'PUT' ], endpoint = todo . put ),
Rule ( '/<int:todo_id>/' , methods = [ 'DELETE' ], endpoint = todo . delete )
])
])
def route ( request : Request ):
adapter = URL_MAP . bind_to_environ ( request . environ )
try :
endpoint , values = adapter . match ()
return endpoint ( request , ** values )
except HTTPException as e :
return e
def app ( env , start_response ):
request = Request ( env )
response = route ( request )
return response ( env , start_response )
# if __name__ == '__main__': ... はここでは省略
copy
views/__init__.py
とviews/todo.py
を作成し、前者は空のまま、後者は以下のようにする。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
from werkzeug.wrappers import Request , Response
def get_all ( request : Request ):
return Response ( 'todo.get_all' )
def post ( request : Request ):
return Response ( 'todo.post' )
def get ( request : Request , todo_id : int ):
return Response ( f 'todo.get: { todo_id } ' )
def put ( request : Request , todo_id : int ):
return Response ( f 'todo.put: { todo_id } ' )
def delete ( request : Request , todo_id : int ):
return Response ( f 'todo.delete: { todo_id } ' )
copy
リクエストを試しに送ってみる。
% curl localhost:5000/todo/
todo.get_all
% curl -X POST localhost:5000/todo/
todo.post
% curl localhost:5000/todo/1/
todo.get: 1
% curl -X PUT localhost:5000/todo/1/
todo.put: 1
% curl -X DELETE localhost:5000/todo/1/
todo.delete: 1
ルーティング - 解説# まずapp
関数に注目する。Request
は、env
を使いやすいように包んだクラスである。
詳細はRequestのドキュメント を参照。
例えば、Request
を使わずにenv
を使ってjsonデータを取得するには、以下のようにしなければならない。
1
2
3
4
5
import json
content_length = int ( env [ 'CONTENT_LENGTH' ]) # 中身が空かどうかの処理はここではサボっている
body_str = env [ 'wsgi.input' ] . read ( content_length )
body_json = json . loads ( body_str )
copy
Response
を使うと、これが簡潔になる。なお、jsonのデコードに失敗した場合は、デフォルトでBadRequest
例外を投げる
(詳細はget_jsonのドキュメント 参照)。
1
2
# response = Response(env)とした
body_json = response . get_json ()
copy
app
関数では、env
をRequest
で包んだ後、ルーティングの処理をroute
関数に任せている。
前回は、「どのURLに対してどの関数が呼ばれるか」という対応関係を、listとtupleのみで表現していた。
werkzeug.routing
では、これをMap
とRule
で管理する。Submount
を使うと、/todo
をprefixに持つURLをまとめることができる。
上の例のように、/<int:todo_id>/
とすると、URLに含まれる整数値をtodo_id
として取得することができる。int
の部分はconverterと呼ばれ、
標準で使えるconverterはドキュメント で確認できる。
前回の正規表現を使った取り出し方よりも見やすくなっている。
Map
の使い方はroute
関数を見るとわかる。URL_MAP.bind_to_environ
メソッドでenviron
とURL_MAP
を結びつけ、
adapter.match
メソッドで実際にURL
、メソッドの照合を行う。返却値は対応するendpoint
と、URLに含まれる変数である。
URL_MAP
の中に対応するURL
、メソッドが存在しなかった場合は、NotFound
例外を投げる。
これはHTTPException
を継承したクラスである。前回はこれらを自前で実装したが、werkzeugではwerkzeug.exceptions
で実装されている。
ToDoリストのインターフェース作成# 前回 同様、以下のTodo
クラスを作る。
メソッド(引数) 説明 __init__(self, content)
content
を内容とするToDoを作成。insert(self)
todo
をToDoリストに追加。update(self)
todo
の変更を反映させる。delete(self)
idがtodo_id
であるToDoを削除
クラスメソッド(引数) 説明 例外 get_all(cls)
全てのToDoを取得。 get(cls, todo_id)
idがtodo_id
であるToDoを取得。 todo_id
が存在しなかった場合にTodoNotFound
例外を投げる。
上の定義で、実際にviews/todo.py
で使ってみると以下の通りになる。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
from werkzeug.wrappers import Request , Response
from models.todo import Todo , TodoNotFound
from werkzeug.exceptions import BadRequest , NotFound
import json
def todo_to_dict ( todo ):
return { 'id' : todo . id , 'content' : todo . content }
class ValidationError ( Exception ):
pass
def validate_todo ( todo_dict ):
if 'content' not in todo_dict :
raise ValidationError
if type ( todo_dict [ 'content' ]) is not str :
raise ValidationError
def get_all ( request : Request ):
todos_dict = [ todo_to_dict ( todo ) for todo in Todo . get_all ()]
todos_json = json . dumps ( todos_dict , ensure_ascii = False )
return Response ( todos_json , mimetype = 'application/json' )
def post ( request : Request ):
todo_dict = request . get_json ( force = True )
try :
validate_todo ( todo_dict )
except ValidationError :
raise BadRequest ( 'Todo ValidationError' )
todo_id = Todo ( todo_dict [ 'content' ]) . insert ()
return Response ( '' , status = 201 , headers = [( 'Location' , f '/todo/ { todo_id } /' )])
def get ( request : Request , todo_id : int ):
try :
todo = Todo . get ( todo_id )
except TodoNotFound :
raise NotFound ( 'Todo NotFound' )
todo_dict = todo_to_dict ( todo )
todo_json = json . dumps ( todo_dict , ensure_ascii = False )
return Response ( todo_json , mimetype = 'application/json' )
def put ( request : Request , todo_id : int ):
todo_dict = request . get_json ( force = True )
try :
validate_todo ( todo_dict )
todo = Todo . get ( todo_id )
except ValidationError :
raise BadRequest ( 'Todo ValidationError' )
except TodoNotFound :
raise NotFound ( 'Todo NotFound' )
todo . content = todo_dict [ 'content' ]
todo . update ()
return Response ( '' , status = 204 )
def delete ( request : Request , todo_id : int ):
try :
todo = Todo . get ( todo_id )
except TodoNotFound :
raise NotFound ( 'Todo NotFound' )
todo . delete ()
return Response ( '' , status = 204 )
copy
ひとまずダミーを実装する。models/__init__.py
とmodels/todo.py
を作成し、前者は空のままで、後者は以下の通りにする。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
class TodoNotFound ( Exception ):
pass
class Todo :
def __init__ ( self , content : str ):
self . id = None
self . content = content
def insert ( self ):
self . id = 0
return self . id
def update ( self ):
pass
def delete ( self ):
pass
@classmethod
def get_all ( cls ):
return []
@classmethod
def get ( cls , todo_id : int ):
return Todo ( 'dummy' )
copy
ToDoリストのインターフェース作成 - 解説# todo_to_dict
やvalidate_todo
の処理は前回と全く同じ。
get_all
やget
などの関数の引数はRequest
クラスのインスタンスである。
また、関数の返却値はResponse
のオブジェクトを返すようにしている。
これは、app.py
のapp
関数やroute
関数の実装による。
Request
クラスのインスタンスであることで、JSONの取得にget_json
メソッドが使える。
get_json
メソッドの引数にforce=True
を指定すると、リクエストヘッダのMIMEタイプを気にしないようにできる。
今回それをやるのは大した理由ではなく、単にcurlでテストするときにMIMEタイプを指定するのが面倒だから(あまり行儀は良くないと思うが…)。
NotFound
やBadRequest
などのクラスを投げる際に、クラスそのものではなくNotFound(message)
のようにインスタンスを投げることができる。
すると、レスポンスにmessage
が出力される。以下は、次節のmodels/todo.py
のコードのうえで実行した例(上のコードではこのレスポンスは返ってこないことに注意)。
% curl localhost:5000/4/
<!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 3.2 Final//EN">
<title>404 Not Found</title>
<h1>Not Found</h1>
<p>Todo NotFound</p>
ToDoリストの実装# ここでは、SQLiteでデータを管理する。内容は前回 と全く同じ。
models/todo.py
を次のようにする.
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
import sqlite3
class TodoNotFound ( Exception ):
pass
class Todo :
TODOS = []
NEXT_ID = 0
DB_PATH = 'db.sqlite3'
def __init__ ( self , content : str , todo_id = None ):
self . id = todo_id
self . content = content
def insert ( self ):
with Todo . get_db () as con :
con . execute ( 'insert into Todo(content) values (?)' , ( self . content ,))
cur = con . cursor ()
row = cur . execute ( 'select * from Todo where id=last_insert_rowid()' ) . fetchone ()
self . id = row [ 'id' ]
return self . id
def update ( self ):
if self . id is None :
raise TodoNotFound
with Todo . get_db () as con :
con . execute ( 'update Todo set content=? where id=?' , ( self . content , self . id ))
def delete ( self ):
if self . id is None :
raise TodoNotFound
with Todo . get_db () as con :
con . execute ( 'delete from Todo where id=?' , ( self . id ,))
@classmethod
def get_all ( cls ):
with Todo . get_db () as con :
cur = con . cursor ()
rows = cur . execute ( 'select * from todo' ) . fetchall ()
return [ Todo ( row [ 'content' ], row [ 'id' ]) for row in rows ]
@classmethod
def get ( cls , todo_id : int ):
with Todo . get_db () as con :
cur = con . cursor ()
row = cur . execute ( 'select * from todo where id=?' , ( todo_id ,)) . fetchone ()
if not row :
raise TodoNotFound
return Todo ( row [ 'content' ], row [ 'id' ])
@classmethod
def get_db ( cls ):
con = sqlite3 . connect ( Todo . DB_PATH )
con . row_factory = sqlite3 . Row
return con
@classmethod
def init_table ( cls ):
with Todo . get_db () as con :
con . execute ( 'drop table if exists Todo' )
con . execute ( '''create table Todo(
id integer primary key autoincrement,
content text not null
)''' )
con . commit ()
copy
データベースを初期化するためにはTodo.init_table()
を実行する。そこで、初期化用のスクリプトinit_db.py
を作成する。
1
2
3
4
from models.todo import Todo
if __name__ == '__main__' :
Todo . init_table ()
copy
データベースを初期化したい時は、コマンドラインで以下のように実行する。
% python3 init_db.py
うまく動いているか確認する。
% curl -X POST localhost:5000/todo/ -d '{"content": "部屋の掃除"}'
% curl -X POST localhost:5000/todo/ -d '{"content": "犬の散歩"}'
% curl -X POST localhost:5000/todo/ -d '{"content": "風呂を洗う"}'
% curl localhost:5000/todo/
[{"id": 1, "content": "部屋の掃除"}, {"id": 2, "content": "犬の散歩"}, {"id": 3, "content": "風呂を洗う"}]%
% curl localhost:5000/todo/2/
{"id": 2, "content": "犬の散歩"}
% curl -X PUT localhost:5000/todo/1/ -d '{"content": "aaa"}'
% curl localhost:5000/todo/
[{"id": 1, "content": "部屋の掃除"}, {"id": 2, "content": "aaa"}, {"id": 3, "content": "風呂を洗う"}]%
% curl -X DELETE localhost:5000/todo/2/
% curl localhost:5000/todo/
[{"id": 1, "content": "部屋の掃除"}, {"id": 3, "content": "風呂を洗う"}]
werkzeug.testとpytestを用いたテスト# curlでうまく動いているのか確認するだけでなく、ちゃんとテストコードを書いて検証してみる。
今回はテストのツールとしてpytest を用いる。
また、werkzeug.test
モジュールのClient
を使えば、サーバーを起動せずにクライアントを作成することができ、
リクエストの送受信をシミュレーションできる。
pytest
はあまり使った経験がないため、pytest
についても備忘のため簡単に解説を書く。
簡単な使い方# tests/test_todo.py
を作成して、ひとまず内容を次のようにする。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
import pytest
from models.todo import Todo
import tempfile
import os
from werkzeug.test import Client
from app import app
@pytest.fixture
def client ():
db_fd , Todo . DB_PATH = tempfile . mkstemp ()
Todo . init_table ()
yield Client ( app )
os . close ( db_fd )
os . unlink ( Todo . DB_PATH )
def test_hello ( client ):
res = client . get ( '/' )
assert res . get_data ( as_text = True ) == 'Hello, World'
copy
テストを実行する場合、以下のコマンドを実行する。
% pytest
うまくいくと1 passed
というメッセージが出力される。
簡単な使い方 - 解説# pytestコマンドを実行すると、tests
ディレクトリのtest_*.py
というファイル内のtest_*
という関数を実行してテストを行う。
よって、上の例ではtests/test_todo.py
のtest_hello
がテストの対象となる。
@pytest.fixture
というデコレータを定義すると、テストの前処理を行うことができる。この前処理をfixtureという。
デコレータで修飾された関数の返却値は、テスト関数の引数として利用できるようになる。ただし、その引数名はpytest.fixture
で修飾した関数と同名にする必要がある。
上の例では、client
関数をpytest.fixture
で修飾しているから、test_hello
関数ではclient
関数の返却値を引数client
として使えるようになる。
補足 : ここでは行っていないが、conftest.py
にfixtureを書いて、他のテストファイルから呼び出すことができる。
Client
はwerkzeug.test
で定義されているクラス。引数にWSGIアプリを与えてインスタンス化することで、クライアントを作成することができる。
このインスタンスを使えば、GETやPOSTなどのリクエストをget
やpost
メソッドで行える。実際、test_hello
ではclient.get('/')
でURL '/'
にGETリクエストを送っている。
Client
の詳細はドキュメント を参照。
Client
オブジェクトのget
やpost
メソッドの返却値はTestResponse
クラスのインスタンスで、get_data
やget_json
などのメソッドでデータを取得できる。
詳細はドキュメント を参照。
pytestにおいて、結果の正しさを確認するためには、シンプルにassert
文を使う。
上の例では、レスポンスで得られたデータres.get_data()
が'Hello, World'
であるかどうかを判定している。
client
関数では、Client
クラスのインスタンスを作るだけでなく、データベースの初期化を行っている。
また、そのテスト限りのデータベースを作成するために、その一時ファイルをtempfile.mkstemp()
関数で作成している。
これはファイルのディスクリプタとファイルのパスをタプルで返すため、後者をTodo
のデータベースのパスに設定している。
os.close
とos.unlink
を使って、テストが終わった後に一時ファイルを削除している。
Todoのテスト# 大体のことは上で説明したので、後はテストを書くだけ。
tests/test_todo.py
の内容を以下のようにする。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
import pytest
from models.todo import Todo
import tempfile
import os
from werkzeug.test import Client
from app import app
import json
from urllib.parse import urlparse
@pytest.fixture
def client ():
db_fd , Todo . DB_PATH = tempfile . mkstemp ()
Todo . init_table ()
yield Client ( app )
os . close ( db_fd )
os . unlink ( Todo . DB_PATH )
@pytest.fixture
def todos_req ():
todo1 = { 'id' : 1 , 'content' : '部屋の掃除' }
todo2 = { 'id' : 2 , 'content' : '犬の散歩' }
todo3 = { 'id' : 3 , 'content' : 'ご飯の準備' }
return [ todo1 , todo2 , todo3 ]
def test_empty_db ( client ):
res = client . get ( '/todo/' )
assert res . get_json () == []
def test_add_todos ( client , todos_req ):
for todo_req in todos_req :
res = client . post ( '/todo/' , data = json . dumps ({ "content" : todo_req [ 'content' ]}))
assert res . status_code == 201
todo_id = todo_req [ 'id' ]
loc_path = urlparse ( res . headers . get ( 'Location' )) . path
assert loc_path == f '/todo/ { todo_id } /'
todos_res = client . get ( '/todo/' ) . get_json ()
assert todos_req == todos_res
todo_res = client . get ( '/todo/1/' ) . get_json ()
assert todos_req [ 0 ] == todo_res
def test_put_todo ( client , todos_req ):
for todo_req in todos_req :
res = client . post ( '/todo/' , data = json . dumps ({ "content" : todo_req [ 'content' ]}))
todo_new = { 'id' : 2 , 'content' : 'aaa' }
res = client . put ( '/todo/2/' , data = json . dumps ({ "content" : todo_new [ 'content' ]}))
assert res . status_code == 204
res = client . get ( '/todo/' )
assert res . get_json () == [ todos_req [ 0 ], todo_new , todos_req [ 2 ]]
def test_delete_todo ( client , todos_req ):
for todo_req in todos_req :
res = client . post ( '/todo/' , data = json . dumps ({ "content" : todo_req [ 'content' ]}))
res = client . delete ( '/todo/2/' )
assert res . status_code == 204
res = client . get ( '/todo/' )
assert res . get_json () == [ todos_req [ 0 ], todos_req [ 2 ]]
copy
pytest
コマンドを実行すると、4 passed
というメッセージが出力される。
ソースコード# ソースコードはGitHubのRepository にあげた。