はじめに
Python で GET リクエストを実行する際、ページネーションの処理が必要な場合があります。
AWS SDK のようなライブラリは Paginator クラスなどの実装が用意されていますが、REST API を使用するために HTTP クライアントを使う場合は、自分でページネーションの実装を行う必要があります。
今回は aiohttp を使ってページネーションの処理を書いてみます。
関連:
https://blog.takenoko.dev/blog/2023/04/aws-client-pagination/
バージョン
環境構築
$ source ./.venv/bin/activate
GitHub REST API
今回の例では、リクエスト先としてGitHub REST API を使用します。
使用するリポジトリは grafana/grafana であり、使用するAPIエンドポイントは「List repository workflows 」の URL です。
このエンドポイントのクエリパラメータには per_page
があります。デフォルトでは30ですが、最大値は100です。クエリパラメータを渡さない場合、レスポンスに含まれる workflows
の配列は最大30件しかデータが返されないことになります。
ページネーションについて知る
GitHub REST API でページネーションを使用するには、レスポンスヘッダーの Link
を見る必要があります。取得したいデータが 1 回のレスポンスにすべて収まっている場合は、Link
がありません。
When a response is paginated, the response headers will include a link header. The link header will be omitted if the endpoint does not support pagination or if all results fit on a single page. The link header contains URLs that you can used to fetch additional pages of results.
レスポンスがページ分割される場合、レスポンスヘッダはリンクヘッダを含みます。エンドポイントがページ分割をサポートしていない場合や、すべての結果が1ページに収まる場合は、リンクヘッダは省略されます。リンクヘッダには、結果の追加ページを取得するために使用できる URL が含まれます。
引用:Using pagination in the REST API
リクエストを送って確かめてみる
まずは GET リクエストができることを確認
"Accept" : "application/vnd.github+json" ,
"X-GitHub-Api-Version" : "2022-11-28" ,
async with aiohttp.ClientSession() as session:
"https://api.github.com/repos/grafana/grafana/actions/workflows" ,
if __name__ == "__main__" :
$ python src/list_repository_workflows.py | jq
"node_id" : "MDg6V29ya2Zsb3czMDM1MDk5",
"name" : "Backport PR Creator",
"path" : ".github/workflows/backport.yml",
次に Link
を確認します。
"Accept" : "application/vnd.github+json" ,
"X-GitHub-Api-Version" : "2022-11-28" ,
async with aiohttp.ClientSession() as session:
"https://api.github.com/repos/grafana/grafana/actions/workflows" ,
link = resp.headers.get( "Link" )
if __name__ == "__main__" :
$ python src/list_repository_workflows.py
<https://api.github.com/repositories/15111821/actions/workflows?page =2> ; rel = "next", <https://api.github.com/repositories/15111821/actions/workflows?page =2> ; rel = "last"
ドキュメント に書いてあるとおり、以下のような形式になります。
link: <https://xxx>; rel="prev", <https://xxx>; rel="next", <https://xxx>; rel="last", <https://xxx>; rel="first"
rel=“next” の URL を取り出す
re モジュールを使用して rel="next"
の URLを取り出してみます。
link = '<https://api.github.com/repositories/15111821/actions/workflows?page=2>; rel="next", <https://api.github.com/repositories/15111821/actions/workflows?page=2>; rel="last"'
def extract_next_url ( link : str ) -> str | None :
m = re.findall( r '< ( https ? :// [ \w/:%# \$ & \?\(\) ~ \. = \+\- ] + ) >; rel="next"' , link)
return m[ 0 ] if len (m) >= 1 else None
print (extract_next_url(link))
<https://api.github.com/repositories/15111821/actions/workflows?page=2>; rel="next"
から次ページの URL を取り出すことができました。
$ python src/extract_next_url.py
https://api.github.com/repositories/15111821/actions/workflows?page =2
参考:https://www.megasoft.co.jp/mifes/seiki/s310.html
ページネーションのリクエスト
アルゴリズム
処理の順番は以下の通りです。次ページのURLを取得するためには、最初に必ず GET リクエストを実行する必要があります。
Start([Start]) --> GetRequest[GET リクエスト]
GetRequest --> GetNextURL[next_url を取得]
GetNextURL --> ReturnYield[yield で結果を返す]
ReturnYield --> LoopStart[/ページネーション処理\nnext_url が存在している\]
LoopStart --> GetRequest2[GET リクエスト]
GetRequest2 --> GetNextURL2[net_url を取得]
GetNextURL2 --> ReturnYield2[yield で結果を返す]
ReturnYield2 --> LoopEnd[\ページネーション処理/]
Python で実装
from typing import Any, AsyncGenerator
def extract_next_url ( link : str ) -> str | None :
m = re.findall( r '< ( https ? :// [ \w/:%# \$ & \?\(\) ~ \. = \+\- ] + ) >; rel="next"' , link)
return m[ 0 ] if len (m) >= 1 else None
async def get ( url : str ) -> AsyncGenerator[ str , None ]:
"Accept" : "application/vnd.github+json" ,
"X-GitHub-Api-Version" : "2022-11-28" ,
async with aiohttp.ClientSession() as session:
next_url: str | None = None
async with session.get(url, headers = headers) as resp:
next_url = extract_next_url(resp.headers.get( "Link" ))
while next_url is not None :
async with session.get(next_url, headers = headers) as resp:
next_url = extract_next_url(resp.headers.get( "Link" ))
url = "https://api.github.com/repos/grafana/grafana/actions/workflows"
async for resp in get(url):
if __name__ == "__main__" :
実行はできたので、問題なさそうです。
$ python src/main.py | jq
"node_id" : "MDg6V29ya2Zsb3czMDM1MDk5",
"name" : "Backport PR Creator",
"path" : ".github/workflows/backpo
先ほどのレスポンスに total_count
がありました。値は 53 です。つまり、workflows
のリストには全部で 53 個あるはずです。
workflow の id
から重複がないことを確認してみます。
$ python src/main.py | jq '.workflows[] | .id' | sort | uniq | wc -l
問題なさそうですね。
unitテストで動作確認
私が書いたコードが正しいか確認してみましょう。
$ pip install pytest pytest-aiohttp
Testing - docs.aiohttp.org
tests
ディレクトリとファイルを作成します。
$ tree -L 2 -I __pycache__
│ ├── extract_next_url.py
│ ├── list_repository_workflows.py
ページネーションされているように振る舞うテストサーバを作成します。
処理は handler
関数です。
from aiohttp.test_utils import TestServer
async def handler ( request : web.Request) -> web.Response:
pageNum: str | None = request.query.get( "page" )
return web.json_response(
headers = { "Link" : f '<http:// { host } : { port } /?page=3>; rel="next"' },
return web.json_response(
headers = { "Link" : f '<http:// { host } : { port } /?page=2>; rel="last"' },
return web.json_response(
headers = { "Link" : f '<http:// { host } : { port } /?page=2>; rel="next"' },
async def test_get ( aiohttp_server : Any) -> None :
app.add_routes([web.get( "/" , handler)])
server: TestServer = await aiohttp_server(app)
gen = get(server.make_url( "/" ))
resp = await gen. __anext__ ()
assert json.loads(resp)[ "workflows" ][ 0 ][ "id" ] == 1
resp = await gen. __anext__ ()
assert json.loads(resp)[ "workflows" ][ 0 ][ "id" ] == 2
resp = await gen. __anext__ ()
assert json.loads(resp)[ "workflows" ][ 0 ][ "id" ] == 3
参考: Testing client with fake server
テストが通りました。実装は問題なさそうです。
$ python -m pytest tests -s
================================== test session starts ===================================
platform darwin -- Python 3.11.4, pytest-7.4.0, pluggy-1.2.0
rootdir: /Users/hogehoge/blog-code/2023/07/github-actions-workflow-log
plugins: asyncio-0.21.0, aiohttp-1.0.4
asyncio: mode=Mode.STRICT
=================================== 1 passed in 0.01s ====================================
まとめ
aiohttp + Generatorでページネーションに対応したHTTPクライアントを作成することができました。
StopIteration、StopAyncIterationだった場合のエラーハンドリングやバックオフについては考慮していないため実装としては物足りませんが、最低限 HTTPクライアントとして使えるのではないでしょうか。
今回使用したコードは以下に置きました。
https://github.com/kntks/blog-code/tree/main/2023/07/python-aiohttp-pagination-client
実装の参考になれば幸いです。
参考