使用Python Dropbox API的UnboundLocalError问题

时间:2012-09-15 14:02:39

标签: python dropbox-api

我正在尝试在python中创建一个类,它读取dropbox的访问密钥/机密,然后下载文件。密钥/秘密部分正常工作,但我似乎在识别客户端对象时遇到问题,可能是由于全局变量和局部变量的问题。我无法在其他地方找到答案。

这是我的代码的一部分:

from dropbox import client, rest, session

class GetFile(object):

    def __init__(self, file1):
        self.auth_user()

    def auth_user(self):
        APP_KEY = 'xxxxxxxxxxxxxx'
        APP_SECRET = 'xxxxxxxxxxxxxx'
        ACCESS_TYPE = 'dropbox'
        TOKENS = 'dropbox_token.txt'

        token_file = open(TOKENS)
        token_key,token_secret = token_file.read().split('|')
        token_file.close()

        sess = session.DropboxSession(APP_KEY,APP_SECRET, ACCESS_TYPE)
        sess.set_token(token_key,token_secret)
        client = client.DropboxClient(sess)

        base, ext = file1.split('.')

        f, metadata = client.get_file_and_metadata(file1)
        out = open('/%s_COPY.%s' %(base, ext), 'w')
        out.write(f.read())

这是错误:

Traceback (most recent call last):
File "access_db.py", line 30, in <module>
start = GetFile(file_name)
File "access_db.py", line 6, in __init__
self.auth_user()
File "access_db.py", line 20, in auth_user
client = client.DropboxClient(sess)
UnboundLocalError: local variable 'client' referenced before assignment

我是python的新手,所以让我知道是否有其他显而易见的事情我可能做错了。

1 个答案:

答案 0 :(得分:5)

您已将dropbox.client模块导入到模块范围client,但 client中有一个本地变量.auth_user()方法

当python在编译时看到函数中的赋值(例如client =)时,它会将该名称标记为局部变量。此时,client 模块的导入注定失败,在您的函数中不再以该名称显示。

接下来,在python的眼中,你试图访问函数中的局部变量client;您正尝试从中获取属性DropboxClient,但此时您还没有将指定给变量client。因此抛出了UnboundLocal异常。

解决方法是要么不使用client作为局部变量,要导入顶级dropbox模块而不是它的子模块,然后使用完整的dropbox.client引用它的子模块等等路径,或者第三,给client模块一个新名称:

  1. 请勿将client用作本地:

    dbclient = client.DropboxClient(sess)
    # ...
    f, metadata = dbclient.get_file_and_metadata(file1)
    
  2. 直接导入dropbox模块:

    import dropbox
    # ...
    
        sess = dropbox.session.DropboxSession(APP_KEY,APP_SECRET, ACCESS_TYPE)
        # ...
        client = dropbox.client.DropboxClient(sess)
    
  3. client模块提供别名:

    from dropbox import session, rest
    from dropbox import client as dbclient
    # ...
    
        client = dbclient.DropboxClient(sess)