Python函数关键字有什么作用?

时间:2014-01-29 14:44:36

标签: python

我在看this line of code -

    result = function(self, *args, **kwargs)

我无法找到Python的function关键字的定义。有人可以将我链接到文档和/或解释这行代码吗?我直觉地认为我知道,但我不明白为什么我找不到任何文件。

http://docs.python.org中搜索the new module及其后继者types似乎与它有关。

4 个答案:

答案 0 :(得分:5)

那是因为function不是python关键字。

如果您稍微扩展视图,可以看到function是一个变量(作为参数传入)。

def autoAddScript(function):
    """
        Returns a decorator function that will automatically add it's result to the element's script container.
    """
    def autoAdd(self, *args, **kwargs):
        result = function(self, *args, **kwargs)
        if isinstance(result, ClientSide.Script):
            self(result)
            return result
        else:
            return ClientSide.Script(ClientSide.var(result))
    return autoAdd

答案 1 :(得分:4)

在这种情况下,function只是autoAddScript函数的形式参数。它是一个局部变量,期望有一个允许你像函数一样调用它的类型。

答案 2 :(得分:1)

函数只是一个碰巧是函数的变量 也许用一个简短的例子可以更清楚:

def add(a,b):
    return a+b

def run(function):
    print(function(3,4))

>>> run(add)
7

答案 3 :(得分:1)

首先,function是python中的第一个类对象,这意味着您可以绑定到另一个名称,如fun = func(),或者您可以将函数作为参数传递给另一个函数。

所以,让我们从一个小片段开始:

# I ve a function to upper case argument : arg
def foo(arg):
    return arg.upper()

# another function which received argument as function, 
# and return another function.
# func is same as function in your case, which is just a argument name.

def outer_function(func):
    def inside_function(some_argument):
        return func(some_argument)
    return inside_function

test_string = 'Tim_cook'

# calling the outer_function with argument `foo` i.e function to upper case string,
# which will return the inner_function.

var = outer_function(foo)
print var  # output is : <function inside_function at 0x102320a28>

# lets see where the return function stores inside var. It is store inside 
# a function attribute called func_closure.

print var.func_closure[0].cell_contents # output: <function foo at 0x1047cecf8>

# call var with string test_string
print var(test_string) # output is : TIM_COOK