Google 日历 API 入门
Google calender API getting started
我正在尝试熟悉 google 日历 api。在入门指南中,他们有这个代码示例:
from __future__ import print_function
import datetime
import pickle
import os.path
from googleapiclient.discovery import build
from google_auth_oauthlib.flow import InstalledAppFlow
from google.auth.transport.requests import Request
# If modifying these scopes, delete the file token.pickle.
SCOPES = ['https://www.googleapis.com/auth/calendar.readonly']
def main():
"""Shows basic usage of the Google Calendar API.
Prints the start and name of the next 10 events on the user's calendar.
"""
creds = None
# The file token.pickle stores the user's access and refresh tokens, and is
# created automatically when the authorization flow completes for the first
# time.
if os.path.exists('token.pickle'):
with open('token.pickle', 'rb') as token:
creds = pickle.load(token)
# If there are no (valid) credentials available, let the user log in.
if not creds or not creds.valid:
if creds and creds.expired and creds.refresh_token:
creds.refresh(Request())
else:
flow = InstalledAppFlow.from_client_secrets_file(
'credentials.json', SCOPES)
creds = flow.run_local_server(port=0)
# Save the credentials for the next run
with open('token.pickle', 'wb') as token:
pickle.dump(creds, token)
service = build('calendar', 'v3', credentials=creds)
# Call the Calendar API
now = datetime.datetime.utcnow().isoformat() + 'Z' # 'Z' indicates UTC time
print('Getting the upcoming 10 events')
events_result = service.events().list(calendarId='primary', timeMin=now,
maxResults=10, singleEvents=True,
orderBy='startTime').execute()
events = events_result.get('items', [])
if not events:
print('No upcoming events found.')
for event in events:
start = event['start'].get('dateTime', event['start'].get('date'))
print(start, event['summary'])
if __name__ == '__main__':
main()
在这个例子中,如果我们还没有通过 pickle 文件访问,我们会自动打开一个 window 来要求用户访问他们的日历。问题是我不希望此 window 自动打开,我想打印 link 而不是用户可以单击以进行身份验证。我查看了文档,但似乎找不到任何有用的东西。我会感谢我能得到的任何帮助,谢谢!
- 对于授权过程,您只想显示 URL。您不想自动打开浏览器。
- 您想使用带有 python 的 googleapis 来实现此目的。
如果我的理解是正确的,这个答案怎么样?请将此视为几个可能的答案之一。
在这种情况下,请使用 Flow.from_client_secrets_file
而不是 InstalledAppFlow.from_client_secrets_file
。
修改后的脚本:
当您的脚本修改时,请修改如下。
发件人:
from google_auth_oauthlib.flow import InstalledAppFlow
收件人:
from google_auth_oauthlib.flow import Flow
和
发件人:
if os.path.exists('token.pickle'):
with open('token.pickle', 'rb') as token:
creds = pickle.load(token)
# If there are no (valid) credentials available, let the user log in.
if not creds or not creds.valid:
if creds and creds.expired and creds.refresh_token:
creds.refresh(Request())
else:
flow = InstalledAppFlow.from_client_secrets_file(
'credentials.json', SCOPES)
creds = flow.run_local_server(port=0)
# Save the credentials for the next run
with open('token.pickle', 'wb') as token:
pickle.dump(creds, token)
service = build('calendar', 'v3', credentials=creds)
收件人:
if os.path.exists('token.pickle'):
with open('token.pickle', 'rb') as token:
creds = pickle.load(token)
# If there are no (valid) credentials available, let the user log in.
if not creds or not creds.valid:
if creds and creds.expired and creds.refresh_token:
creds.refresh(Request())
else:
# Create the flow using the client secrets file from the Google API
# Console.
flow = Flow.from_client_secrets_file('client_secret.json', SCOPES, redirect_uri='urn:ietf:wg:oauth:2.0:oob')
# Tell the user to go to the authorization URL.
auth_url, _ = flow.authorization_url(prompt='consent')
print('Please go to this URL: {}'.format(auth_url))
# The user will get an authorization code. This code is used to get the
# access token.
code = input('Enter the authorization code: ')
flow.fetch_token(code=code)
creds = flow.credentials
# Save the credentials for the next run
with open('token.pickle', 'wb') as token:
pickle.dump(creds, token)
service = build('calendar', 'v3', credentials=creds)
- 在这种情况下,当您运行
token.pickle
下的脚本不存在时,授权的URL 将显示到控制台。浏览器未打开。因此,请通过打开浏览器访问 URL 并授权范围。然后,请将复制的授权码复制到控制台并输入回车键。这样,访问令牌被检索并创建了 token.pickle
的文件。
注:
- 如果出现redirect uri相关错误,请修改为
http://localhost
再测试
参考:
如果我误解了您的问题并且这不是您想要的方向,我深表歉意。
已添加:
- 根据你的问题
I want to print a link instead that the user can click to authenticate
,我提出了上面的示例脚本。
- 从你的回复
some way not to manually confirm authorization codes
来看,我认为上面的示例脚本不合适。
这样的话,使用服务账号怎么样?使用服务帐号时,不需要授权码。使用服务账号的脚本如下
示例脚本:
from google.oauth2 import service_account
from googleapiclient.discovery import build
SERVICE_ACCOUNT_FILE = 'service-account-credentials.json' # Here, please set the creadential file of the service account.
SCOPES = ['https://www.googleapis.com/auth/calendar.readonly']
creds = service_account.Credentials.from_service_account_file(SERVICE_ACCOUNT_FILE, scopes=SCOPES)
service = build('calendar', 'v3', credentials=creds)
注:
- 为了使用服务帐户访问Google日历,首先,请将Google日历与服务帐户的电子邮件共享。请注意这一点。
参考:
我正在尝试熟悉 google 日历 api。在入门指南中,他们有这个代码示例:
from __future__ import print_function
import datetime
import pickle
import os.path
from googleapiclient.discovery import build
from google_auth_oauthlib.flow import InstalledAppFlow
from google.auth.transport.requests import Request
# If modifying these scopes, delete the file token.pickle.
SCOPES = ['https://www.googleapis.com/auth/calendar.readonly']
def main():
"""Shows basic usage of the Google Calendar API.
Prints the start and name of the next 10 events on the user's calendar.
"""
creds = None
# The file token.pickle stores the user's access and refresh tokens, and is
# created automatically when the authorization flow completes for the first
# time.
if os.path.exists('token.pickle'):
with open('token.pickle', 'rb') as token:
creds = pickle.load(token)
# If there are no (valid) credentials available, let the user log in.
if not creds or not creds.valid:
if creds and creds.expired and creds.refresh_token:
creds.refresh(Request())
else:
flow = InstalledAppFlow.from_client_secrets_file(
'credentials.json', SCOPES)
creds = flow.run_local_server(port=0)
# Save the credentials for the next run
with open('token.pickle', 'wb') as token:
pickle.dump(creds, token)
service = build('calendar', 'v3', credentials=creds)
# Call the Calendar API
now = datetime.datetime.utcnow().isoformat() + 'Z' # 'Z' indicates UTC time
print('Getting the upcoming 10 events')
events_result = service.events().list(calendarId='primary', timeMin=now,
maxResults=10, singleEvents=True,
orderBy='startTime').execute()
events = events_result.get('items', [])
if not events:
print('No upcoming events found.')
for event in events:
start = event['start'].get('dateTime', event['start'].get('date'))
print(start, event['summary'])
if __name__ == '__main__':
main()
在这个例子中,如果我们还没有通过 pickle 文件访问,我们会自动打开一个 window 来要求用户访问他们的日历。问题是我不希望此 window 自动打开,我想打印 link 而不是用户可以单击以进行身份验证。我查看了文档,但似乎找不到任何有用的东西。我会感谢我能得到的任何帮助,谢谢!
- 对于授权过程,您只想显示 URL。您不想自动打开浏览器。
- 您想使用带有 python 的 googleapis 来实现此目的。
如果我的理解是正确的,这个答案怎么样?请将此视为几个可能的答案之一。
在这种情况下,请使用 Flow.from_client_secrets_file
而不是 InstalledAppFlow.from_client_secrets_file
。
修改后的脚本:
当您的脚本修改时,请修改如下。
发件人:
from google_auth_oauthlib.flow import InstalledAppFlow
收件人:
from google_auth_oauthlib.flow import Flow
和
发件人:
if os.path.exists('token.pickle'):
with open('token.pickle', 'rb') as token:
creds = pickle.load(token)
# If there are no (valid) credentials available, let the user log in.
if not creds or not creds.valid:
if creds and creds.expired and creds.refresh_token:
creds.refresh(Request())
else:
flow = InstalledAppFlow.from_client_secrets_file(
'credentials.json', SCOPES)
creds = flow.run_local_server(port=0)
# Save the credentials for the next run
with open('token.pickle', 'wb') as token:
pickle.dump(creds, token)
service = build('calendar', 'v3', credentials=creds)
收件人:
if os.path.exists('token.pickle'):
with open('token.pickle', 'rb') as token:
creds = pickle.load(token)
# If there are no (valid) credentials available, let the user log in.
if not creds or not creds.valid:
if creds and creds.expired and creds.refresh_token:
creds.refresh(Request())
else:
# Create the flow using the client secrets file from the Google API
# Console.
flow = Flow.from_client_secrets_file('client_secret.json', SCOPES, redirect_uri='urn:ietf:wg:oauth:2.0:oob')
# Tell the user to go to the authorization URL.
auth_url, _ = flow.authorization_url(prompt='consent')
print('Please go to this URL: {}'.format(auth_url))
# The user will get an authorization code. This code is used to get the
# access token.
code = input('Enter the authorization code: ')
flow.fetch_token(code=code)
creds = flow.credentials
# Save the credentials for the next run
with open('token.pickle', 'wb') as token:
pickle.dump(creds, token)
service = build('calendar', 'v3', credentials=creds)
- 在这种情况下,当您运行
token.pickle
下的脚本不存在时,授权的URL 将显示到控制台。浏览器未打开。因此,请通过打开浏览器访问 URL 并授权范围。然后,请将复制的授权码复制到控制台并输入回车键。这样,访问令牌被检索并创建了token.pickle
的文件。
注:
- 如果出现redirect uri相关错误,请修改为
http://localhost
再测试
参考:
如果我误解了您的问题并且这不是您想要的方向,我深表歉意。
已添加:
- 根据你的问题
I want to print a link instead that the user can click to authenticate
,我提出了上面的示例脚本。 - 从你的回复
some way not to manually confirm authorization codes
来看,我认为上面的示例脚本不合适。
这样的话,使用服务账号怎么样?使用服务帐号时,不需要授权码。使用服务账号的脚本如下
示例脚本:
from google.oauth2 import service_account
from googleapiclient.discovery import build
SERVICE_ACCOUNT_FILE = 'service-account-credentials.json' # Here, please set the creadential file of the service account.
SCOPES = ['https://www.googleapis.com/auth/calendar.readonly']
creds = service_account.Credentials.from_service_account_file(SERVICE_ACCOUNT_FILE, scopes=SCOPES)
service = build('calendar', 'v3', credentials=creds)
注:
- 为了使用服务帐户访问Google日历,首先,请将Google日历与服务帐户的电子邮件共享。请注意这一点。