import hmac, base64, hashlib, urllib2
base = 'https://.......'
def makereq(key, secret, path, data):
hash_data = path + chr(0) + data
secret = base64.b64decode(secret)
sha512 = hashlib.sha512
hmac = str(hmac.new(secret, hash_data, sha512))
header = {
'User-Agent': 'My-First-test',
'Rest-Key': key,
'Rest-Sign': base64.b64encode(hmac),
'Accept-encoding': 'GZIP',
'Content-Type': 'application/x-www-form-urlencoded'
}
return urllib2.Request(base + path, data, header)
错误: 在makereq中输入文件“C:/Python27/btctest.py”,第8行 hmac = str(hmac.new(secret,hash_data,sha512)) UnboundLocalError:在赋值之前引用的局部变量'hmac'
有人知道为什么吗?感谢
答案 0 :(得分:9)
如果在函数中的任何位置分配变量,该变量将被视为该函数中的局部变量无处不在。因此,您将看到与以下代码相同的错误:
foo = 2
def test():
print foo
foo = 3
换句话说,如果同名函数中存在局部变量,则无法访问全局变量或外部变量。
要解决此问题,只需为您的本地变量hmac
添加一个不同的名称:
def makereq(key, secret, path, data):
hash_data = path + chr(0) + data
secret = base64.b64decode(secret)
sha512 = hashlib.sha512
my_hmac = str(hmac.new(secret, hash_data, sha512))
header = {
'User-Agent': 'My-First-test',
'Rest-Key': key,
'Rest-Sign': base64.b64encode(my_hmac),
'Accept-encoding': 'GZIP',
'Content-Type': 'application/x-www-form-urlencoded'
}
return urllib2.Request(base + path, data, header)
请注意,可以使用global
或nonlocal
关键字更改此行为,但似乎您不希望在您的情况下使用这些关键字。
答案 1 :(得分:2)
您正在重新定义函数范围内的hmac
变量,因此函数范围内不存在import
语句中的全局变量。重命名函数范围hmac
变量应该可以解决您的问题。