我有点困惑。
以下两个python代码片段都返回相同的值:
第一:
class Test():
def __init__(self):
None
def outer_function(self):
self.i = "This is the outer function"
def inner_function():
y = "This is the inner function"
return print(y)
value_from_inner_function = inner_function()
return print(self.i)
testClass = Test()
testClass.test_function()
第二:
class Test():
def __init__(self):
None
def outer_function(self):
self.i = "This is the outer function"
def inner_function(self):
self.y = "This is the inner function"
return print(self.y)
value_from_inner_function = inner_function(self)
return print(self.i)
testClass = Test()
testClass.test_function()
两个片段都返回。
This is the inner function
This is the outer function
我想知道,两种情况中应该使用哪一种?我的假设是,内部函数的安装仅用于外部类方法(在本例中为outer_function
(。
因此不需要实例化,因为外部类方法可以访问它
因此,我猜测第一个片段是";更多";对的是这样吗
如果这是真的,有什么值得注意的";性能";片段1和2之间的差异
在第一个版本中,y
是inner_function()
的局部变量。当函数返回时,它会消失。
在第二个版本中。self.y
是对象的属性。指定它会对对象进行永久性更改,因此您可以在内部函数返回后引用它。例如
class Test():
def __init__(self):
None
def outer_function(self):
self.i = "This is the outer function"
def inner_function(self):
self.y = "This is the inner function"
return print(self.y)
value_from_inner_function = inner_function(self)
return print(self.i)
testClass = Test()
testClass.test_function()
print(testClass.y)