繁体   English   中英

使用Python使用API​​将文件上传到Google驱动器时出现问题

[英]problem when uploading file to google drive with its API with Python

我正在尝试使用其Python API将文件上传到Google云端硬盘,因为我需要制作一个脚本,以便在用户互动时将自动备份副本从我的服务器上传到Google云端硬盘。 我从Google Drive文档中提取了以下代码。

我的剧本代码:

 from __future__ import print_function import pickle import os.path from googleapiclient.discovery import build from google_auth_oauthlib.flow import InstalledAppFlow from google.auth.transport.requests import Request from apiclient.http import MediaFileUpload # If modifying these scopes, delete the file token.pickle. SCOPES = ['https://www.googleapis.com/auth/drive.metadata.readonly'] def main(): """Shows basic usage of the Drive v3 API. Prints the names and ids of the first 10 files the user has access to. """ 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() # Save the credentials for the next run with open('token.pickle', 'wb') as token: pickle.dump(creds, token) service = build('drive', 'v3', credentials=creds) # Call the Drive v3 API results = service.files().list( pageSize=10, fields="nextPageToken, files(id, name)").execute() items = results.get('files', []) if not items: print('No files found.') else: print('Files:') for item in items: print(u'{0} ({1})'.format(item['name'], item['id'])) file_metadata = { 'name' : 'report.csv', 'mimeType' : 'application/vnd.google-apps.spreadsheet' } media = MediaFileUpload('files/report.csv', mimetype='text/csv', resumable=True) file = drive_service.files().create(body=file_metadata, media_body=media, fields='id').execute() print ("File ID: %s" % file.get("id")) main() 

它告诉我的错误是这些:

 Traceback (most recent call last): File "gdriveprueba.py", line 55, in <module> resumable=True) File "/home/servicioweb/.local/lib/python2.7/site-packages/googleapiclient/_helpers.py", line 130, in positional_wrapper return wrapped(*args, **kwargs) File "/home/servicioweb/.local/lib/python2.7/site-packages/googleapiclient/http.py", line 554, in __init__ fd = open(self._filename, 'rb') IOError: [Errno 2] No such file or directory: 'files/report.csv' 

files目录在Google云端硬盘中手动创建,但它一直告诉我它无法找到它,可能会发生什么,我看不到? 我有两天的时间,我无法从脚本上传文件。

您在第50行和第53行上混淆了参数。 file_metadata结构中的参数name是指google驱动器上文件名称 MediaFileUpload构造函数的第一个参数引用本地驱动器上的路径 为了使您的代码工作,该文件需要存在。 你也指第56行的未定义变量drive_service 您可以将主函数中定义的变量service重新定义为全局变量 ,或者将请求api上载的代码(从第49行开始)移动到函数main 在您的上传代码实际创建服务对象之前,还需要首先调用main

如果您只想将其上传到驱动器的根目录,则可以创建相对于此文件的文件files/report.csv ,并且您将在驱动器的根目录中创建文件report.csv

要创建文件files/report.csv ,您需要在google驱动器上找到目录filesfileId ,并将其作为参数发送到create api调用。

要查找fileId运行以下代码:

dirp = "files" # Name of directory to find.
parent_id = "" # The id we are looking for.
query = ("name='%s'" % (dirp))
resp = service.files().list(
    q=query,
    fields="files(id, name)",
    pageToken=None).execute()
files = resp.get('files', [])
if len(files) > 0:
    parent_id = files[0].get('id')

现在使用api请求中的变量parent_id来创建文件。

media = MediaFileUpload('report.csv',
                        mimetype='text/csv',
                        resumable=True)
meta_data= { 'name': 'report.csv',
             'mimeType' : 'application/vnd.google-apps.spreadsheet',
             'parents': [parent_id] }
f = service.files().create(
    body=meta_data,
    media_body=media,
    fields='id').execute()
if not f is None: print("[*] uploaded %s" % (f.get('id')))

以下是有关create函数参数的更多信息。

工作代码如下所示:

from __future__ import print_function
import pickle
import os.path
from googleapiclient.discovery import build
from google_auth_oauthlib.flow import InstalledAppFlow
from google.auth.transport.requests import Request
from apiclient.http import MediaFileUpload

# If modifying these scopes, delete the file token.pickle.
SCOPES = ['https://www.googleapis.com/auth/drive.metadata.readonly']
service = None

def main():
    """Shows basic usage of the Drive v3 API.
    Prints the names and ids of the first 10 files the user has access to.
    """
    global service
    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()
        # Save the credentials for the next run
        with open('token.pickle', 'wb') as token:
            pickle.dump(creds, token)

    service = build('drive', 'v3', credentials=creds)

    # Call the Drive v3 API
    results = service.files().list(
        pageSize=10, fields="nextPageToken, files(id, name)").execute()
    items = results.get('files', [])

    if not items:
        print('No files found.')
    else:
        print('Files:')
        for item in items:
            print(u'{0} ({1})'.format(item['name'], item['id']))

main()

# Retrieve the parent ID of the files/ directory
dirp = "files" # Name of directory to find.
parent_id = "" # The id we are looking for.
query = ("name='%s'" % (dirp))
resp = service.files().list(
    q=query,
    fields="files(id, name)",
    pageToken=None).execute()
files = resp.get('files', [])

# Create a file object for file 'report.csv' on your local drive.
media = MediaFileUpload('report.csv',
                        mimetype='text/csv',
                        resumable=True)

# Upload the file.
if len(files) > 0:
    parent_id = files[0].get('id')
    meta_data= { 'name': 'report.csv',
                 'parents': [parent_id],
                 'mimeType' : 'application/vnd.google-apps.spreadsheet' }
    f = service.files().create(
        body=meta_data,
        media_body=media,
        fields='id').execute()
    if not f is None: print("[*] uploaded %s" % (f.get('id')))
else: print("The folder files/ does not exist on your drive.")

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM