我创建了一组函数,它们相互调用以定价选项。其中一个函数运行了相当长的一段时间来优化一些参数(使用 Nelder Mead(。在此函数中,计算了一个值,我想在其他一些函数中使用,但我不想通过 return 语句将其传递出去。我认为使用全局变量将是完美的。
现在,奇怪的部分:当我通过import *
加载我作为包编写的函数时,我无法访问一个函数创建的全局变量。如果我使用带有函数定义的脚本,运行它以在我的 Python 控制台中定义函数,然后调用函数,则全局 var 构造工作正常。可能有什么问题,为什么我将函数加载/定义为包还是"手动"会有所不同?
作为包加载时出错:NameError: name 'h_out' is not defined
。
global h_out
h_out=None
import hngoption
prices = timeseries[data.Date[i]:].head(30)
output = hngoption.params(prices)
params() calls function LogLike() as part of its computations which contains:
def LogLike(B, r):
# (...)
for i in range(N - 3, -1, -1):
h[i] = B[0] + B[2] * h[i + 1] + B[1] * pow(Z[i + 1] - B[3] * sqrt(h[i + 1]), 2)
Z[i] = (ret[i] - r - B[4] * h[i]) / (h[i] ** 0.5)
L[i] = -log(h[i]+ 0.000000000000001) - (ret[i] ** 2) / h[i]
LogL = VecSum(L)
global h_out #IMPORTANT PART
h_out = h[0]
if ((B[0] < 0) | (B[1] < 0) | (B[2] < 0) | (B[3] < 0) | (B[4] < 0)): # (B[2]+B[1]*pow(B[3],2)>=1))
return 1e50
else:
return -LogL # Minimize -Log-Like(Beta)
完整日志功能:
def LogLike(B, r):
N = len(timeseries) #timeseries is a global var
# Calculate S&P500 returns
ret = [0.0] * (N - 1)
for i in range(0, N - 1):
ret[i] = (log(timeseries.ix[i] / timeseries.ix[i + 1]))
Variance = VecVar(ret)
h = [0 * i for i in range(N - 1)]
Z = [0 * i for i in range(N - 1)]
L = [0 * i for i in range(N - 1)]
# Construct GARCH(1,1) process by working back in time
h[N - 2] = Variance
Z[N - 2] = (ret[N - 2] - r - B[4] * h[N - 2]) / h[N - 2] ** 0.5
L[N - 2] = -log(h[N - 2]) - (ret[N - 2] ** 2) / h[N - 2]
for i in range(N - 3, -1, -1):
h[i] = B[0] + B[2] * h[i + 1] + B[1] * pow(Z[i + 1] - B[3] * sqrt(h[i + 1]), 2)
Z[i] = (ret[i] - r - B[4] * h[i]) / (h[i] ** 0.5)
L[i] = -log(h[i]+ 0.000000000000001) - (ret[i] ** 2) / h[i]
LogL = VecSum(L)
global h_out #IMPORTANT PART
h_out = h[0]
if ((B[0] < 0) | (B[1] < 0) | (B[2] < 0) | (B[3] < 0) | (B[4] < 0)): # (B[2]+B[1]*pow(B[3],2)>=1))
return 1e50
else:
return -LogL # Minimize -Log-Like(Beta)
您可以使用以下类型的参数来携带结果。
def test(a):
a[0]=a[0]+2
>>> a = [2]
>>> test(a)
>>> a
[4]
from somemodule import *
将当时存在的somemodule
中的全局变量绑定到当前模块中同名的变量。尚未创建的变量不会导入。当前模块现在具有自己的对对象的引用,如果重新分配另一个模块中的变量,这些对象不会受到影响。
若要解决您的问题,请在全局范围内为 h_out
分配一些默认值,以便其他模块在函数完成之前引用它时不会出错。并通过模块访问变量以获取共享值,而不是执行通配符导入。
somemodule.py
h_out = None
def LogLikeDeep(B, r):
global h_out #IMPORTANT PART
h_out = h[0]
用法
>>> import somemodule
>>> somemodule.h_out
>>> print(repr(somemodule.h_out))
None
>>> somemodule.LogLikeDeep('foo', 'bar')
>>> print(repr(somemodule.h_out))
'foo'