Python中的未绑定方法错误

时间:2013-09-09 07:50:31

标签: python

在Python中是怎么回事(对不起新手问题),你可以这样做:

import shutil
shutil.move(..)

这意味着可以直接使用move()方法,但是在创建自己的类时 我必须首先实例化它?

import myclass
print myclass.mymethod(...)

它给了我“必须使用myclass实例调用未绑定的方法....

我可以阅读这个未绑定和绑定方法的好文档吗?我只想在没有实例化的情况下使用该方法。 感谢。

那么如果我只想按原样使用它,我该怎么编码呢?没有实例化?

def mymethod()  <----- defined here?
class myclass:
   def __init__ ....
   def mymethod(self)....  <----- define here will give me error w/o instantiation

3 个答案:

答案 0 :(得分:1)

您似乎认为必须将函数放入类中。

事实并非如此。 shutil不是类,它是模块shutil模块定义的唯一类是异常;记录的API中的所有其他内容都是顶级函数。你可以看一下shutil sourcecode; move函数直接在模块源代码中定义为:

def move(src, dst):
    """Recursively move a file or directory to another location. This is
    similar to the Unix "mv" command.

    If the destination is a directory or a symlink to a directory, the source
    is moved inside the directory. The destination path must not already
    exist.

    If the destination already exists but is not a directory, it may be
    overwritten depending on os.rename() semantics.

    If the destination is on our current filesystem, then rename() is used.
    Otherwise, src is copied to the destination and then removed.
    A lot more could be done here...  A look at a mv.c shows a lot of
    the issues this implementation glosses over.

    """
    real_dst = dst
    if os.path.isdir(dst):
        if _samefile(src, dst):
            # We might be on a case insensitive filesystem,
            # perform the rename anyway.
            os.rename(src, dst)
            return

        real_dst = os.path.join(dst, _basename(src))
        if os.path.exists(real_dst):
            raise Error, "Destination path '%s' already exists" % real_dst
    try:
        os.rename(src, real_dst)
    except OSError:
        if os.path.isdir(src):
            if _destinsrc(src, dst):
                raise Error, "Cannot move a directory '%s' into itself '%s'." % (src, dst)
            copytree(src, real_dst, symlinks=True)
            rmtree(src)
        else:
            copy2(src, real_dst)
            os.unlink(src)

其中copytreermtreecopy2是同一模块中的其他公共函数,_samefile_basename_destinsrc是函数在同一个模块中,不应该成为公共API的一部分。

毕竟,Python不是Java; Java将每个文件限制为一个类,名称相同,并且所有代码必须成为类的一部分。在Python中,类完全是可选的。

答案 1 :(得分:0)

只要您将实例作为第一个参数(self)提供,就可以使用类名调用该方法。这对你的班级也有用。

答案 2 :(得分:0)

如果可以在没有实例的情况下调用您的方法,那么您可以添加装饰器@static_method以允许在没有实例的情况下调用它。 python手册涵盖了这一点。