Python クライアントから Cloud Endpoints API にアクセスする場合は、Google API Python クライアント ライブラリを使用する必要があります。API で認証が必要ない場合、次のサンプルコードに示す方法でクライアントは API にアクセスできます。
import pprint from googleapiclient.discovery import build def main(): # Build a service object for interacting with the API. api_root = 'https://guestbook.appspot.com/_ah/api' api = 'guestbook' version = 'v0.2' discovery_url = '%s/discovery/v1/apis/%s/%s/rest' % (api_root, api, version) service = build(api, version, discoveryServiceUrl=discovery_url) # Fetch all greetings and print them out. response = service.greetings().list().execute() pprint.pprint(response) # Fetch a single greeting and print it out. response = service.greetings().get(id='9001').execute() pprint.pprint(response) if __name__ == '__main__': main()
このサンプルコードでは、
api_root
は、API メソッドが公開されるフロントエンドのルート URL です。通常、URL はhttps://YOUR_PROJECT_ID.appspot.com/_ah/api
で、YOUR_PROJECT_ID
は、ご利用の Google Cloud を表します。api
は API の名前です。version
はバックエンド API のバージョンです。
認証を必要とする API に接続
バックエンド API で認証が必要な場合は、Google API の Python クライアント ライブラリと OAuth2.0 クライアント ライブラリの両方を使用する必要があります。
クライアントは次のようなコードを使用して、必要な承認を取得し、API にアクセスできます。
import argparse import pprint import sys from googleapiclient import discovery import httplib2 import oauth2client from oauth2client import tools CLIENT_ID = 'YOUR_CLIENT_ID' CLIENT_SECRET = 'YOUR_CLIENT_SECRET' SCOPE = 'https://www.googleapis.com/auth/userinfo.email' USER_AGENT = 'my-cmdline-tool/1.0' OAUTH_DISPLAY_NAME = 'My Commandline Tool' def main(argv): # Parse command line flags used by the oauth2client library. parser = argparse.ArgumentParser( description='Auth sample', formatter_class=argparse.RawDescriptionHelpFormatter, parents=[tools.argparser]) flags = parser.parse_args(argv[1:]) # Acquire and store oauth token. storage = oauth2client.file.Storage('guestbook.dat') credentials = storage.get() if credentials is None or credentials.invalid: flow = oauth2client.client.OAuth2WebServerFlow( client_id=YOUR_CLIENT_ID, client_secret=YOUR_CLIENT_SECRET, scope=SCOPE, user_agent=USER_AGENT, oauth_displayname=OAUTH_DISPLAY_NAME) credentials = tools.run_flow(flow, storage, flags) http = httplib2.Http() http = credentials.authorize(http) # Build a service object for interacting with the API. api_root = 'https://guestbook.appspot.com/_ah/api' api = 'guestbook' version = 'v0.2' discovery_url = '%s/discovery/v1/apis/%s/%s/rest' % (api_root, api, version) service = discovery.build( api, version, discoveryServiceUrl=discovery_url, http=http) # Fetch all greetings and print them out. response = service.greetings().list().execute() pprint.pprint(response) # Fetch a single greeting and print it out. response = service.greetings().get(id='9001').execute() pprint.pprint(response) if __name__ == '__main__': main(sys.argv)
SCOPE
は記載されているとおりに設定する必要があるので注意してください。YOUR_CLIENT_ID
と YOUR_CLIENT_SECRET
については、クライアント ID の作成をご覧ください。