14

可能重复:
Python 中的@staticmethod 和@classmethod 有什么区别?

我有几个关于类中的静态方法的问题。我将从举一个例子开始。

示例一:

class Static:
    def __init__(self, first, last):
        self.first = first
        self.last = last
        self.age = randint(0, 50)
    def printName(self):
        return self.first + self.last
    @staticmethod
    def printInfo():
        return "Hello %s, your age is %s" % (self.first + self.last, self.age)

x = Static("Ephexeve", "M").printInfo()

输出:

Traceback (most recent call last):
  File "/home/ephexeve/Workspace/Tests/classestest.py", line 90, in <module>
    x = Static("Ephexeve", "M").printInfo()
  File "/home/ephexeve/Workspace/Tests/classestest.py", line 88, in printInfo
    return "Hello %s, your age is %s" % (self.first + self.last, self.age)
NameError: global name 'self' is not defined

示例二:

class Static:
    def __init__(self, first, last):
        self.first = first
        self.last = last
        self.age = randint(0, 50)
    def printName(self):
        return self.first + self.last
    @staticmethod
    def printInfo(first, last, age = randint(0, 50)):
        print "Hello %s, your age is %s" % (first + last, age)
        return

x = Static("Ephexeve", "M")
x.printInfo("Ephexeve", " M") # Looks the same, but the function is different.

输出

Hello Ephexeve M, your age is 18

我看到我不能在静态方法中调用任何 self.attribute,我只是不确定何时以及为什么使用它。在我看来,如果您创建一个带有一些属性的类,也许您以后想使用它们,并且没有一个所有属性都不可调用的静态方法。任何人都可以向我解释这个吗?Python 是我的第一个编程语言,所以如果这在 Java 中是一样的,我不知道。

4

1 回答 1

13

你想达到什么目的staticmethod?如果您不知道它的作用,您如何期望它解决您的问题?

或者你只是在玩,看看有什么staticmethod作用?在这种情况下,阅读文档以了解它的作用可能会更有效率,而不是随机应用它并试图从行为中猜测它的作用。

在任何情况下,应用于@staticmethod类中的函数定义都会产生“静态方法”。不幸的是,“静态”是编程中最容易混淆的重载术语之一。这意味着该方法不依赖或改变对象的状态。如果我foo在类中定义了一个静态方法,那么无论属性包含什么Bar,调用bar.foo(...)(类bar的某个实例在哪里Bar)都会做同样的事情。事实上,当我什至没有实例时,bar我可以直接从类中调用它!Bar.foo(...)

这是通过简单地不将实例传递给静态方法来实现的,因此静态方法没有self参数。

静态方法很少需要,但偶尔很方便。它们实际上与在类外部定义的简单函数相同,但将它们放在类中会将它们标记为与类“关联”。您通常会使用它们来计算或执行与类密切相关的事情,但实际上并不是对某个特定对象的操作。

于 2012-06-06T23:20:07.280 回答