你能调用一个以前没有声明过的函数吗?

时间:2013-12-22 15:53:07

标签: python function syntax

这会有用吗?

class Example:
    def fun2(self):
        fun1()

    def fun1()
        print "fun1 has been called"

请注意,fun2 - 在fun1上方声明 - 正在调用fun1。我很想知道在一个类中按顺序调用函数时会发生什么。

是否存在函数无法识别其他函数的任何情况,即使对该函数的调用将被正确解决?

1 个答案:

答案 0 :(得分:2)

首先,原始代码中的函数调用fun2不起作用。它会抛出错误消息:NameError: global name fun1' is not defined是因为必须在调用函数之前声明函数吗?

不可以。事实证明引发了异常,因为fun1 范围fun2。了解命名空间如何工作将阐明异常并回答发布的问题。

任何函数的名称空间首先是它自己的函数名称空间,然后是全局名称空间。默认情况下,它不包含“类”命名空间。但是,它确实(并且应该)可以访问类命名空间。要让函数知道它正在调用一个位于同一个类中的函数,必须在调用函数之前使用self关键字。

然后,这有效:

class Example:
   def fun2(self):
      self.fun1() # Notice the `self` keyword tells the interprter that
                  # we're looking for a function, `fun1`, that is relative to
                  # the same object (once a variable is declared as an Example
                  # object) where `fun2` lives. 

   def fun1(self):
      print "fun1 has been called" 

# fun1 has been called

fun1现在fun2可引用,因为fun2现在将查看类名称空间。我通过运行来测试这是真的:

class Example:
   def fun2(self):
      fun1()

   def fun1(self):
      print "fun1 was called"

def fun1():
    print "fun1 outside the class was called"

如果没有self关键字,则输出为:

fun1 outside the class was called

所以,为了回答这里的问题,当python解释一个脚本时,它会预先编译所有相关的命名空间。因此,所有函数都知道所有其他适当处理的函数,使原始声明顺序无关紧要。