标签:
作为新手,我把之前遇到的问题贴出来
错误提示1: TypeError: unbound method a() must be called with A instance as first argument (got nothing instead)
1 class A: 2 def a(self): 3 print("I‘m a") 4 5 A.a()
执行报错TypeError: unbound method a() must be called with A instance as first argument (got nothing instead)
表示没有对类进行实例, 改为:
1 class A: 2 def a(self): 3 print("I‘m a") 4 obj=A() 5 obj.a()
或者:
1 class A: 2 @staticmethod # 静态方法 3 def a(): 4 print("I‘m a") 5 6 A.a()
说明:
一是通过def定义的 普通的一般的,需要至少传递一个参数,一般用self,这样的方法必须通过一个类的实例去访问,类似于c++中通过对象去访问; 二是在def前面加上@classmethod,这种类方法的一个特点就是可以通过类名去调用,但是也必须传递一个参数,一般用cls表示class,表示可以通过类直接调用; 三是在def前面加上@staticmethod,这种类方法是静态的类方法,类似于c++的静态函数,他的一个特点是参数可以为空,同样支持类名和对象两种调用方式; |
在看一个例子:
1 class Person: 2 count = 0 3 def __init__(self): 4 self.name=‘Flay‘ 5 self.count+=1 6 Person.count +=2 7 print(self.count) 8 print(Person.count) 9 10 if __name__ == ‘__main__‘: 11 p = Person() 12 #Person.name
输出:
1 1 2 2
因为self 是类本身属性, Person.count 表示count为类的静态属性
如果直接Person.name 会直接报错:AttributeError: class Person has no attribute ‘name‘
标签:
原文地址:http://www.cnblogs.com/dcb3688/p/4260732.html