0

它在 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
4

3 回答 3

1

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

不是这种情况。shutil不是一个类,它是一个模块shutil模块定义的唯一类是异常;文档化 API 中的所有其他内容都是顶级函数。你可以看看shutil源代码;该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)

其中copytree,rmtreecopy2是同一模块中的其他公共函数,并且_samefile,_basename_destinsrc是同一模块中不属于公共 API 的函数。

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

于 2013-09-09T09:17:28.513 回答
0

If your method can be called without a instance to work on then you can add the decorator @static_method to allow it to be called without an instance. The python manuals covers this well.

于 2013-09-09T07:56:52.543 回答
0

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

于 2013-09-09T07:54:30.867 回答