Python 简明教程
Python - Class Attributes
类内定义的属性或变量称为 Attributes 。属性提供了关于类包含的数据类型的信息。Python 中有两种类型的属性,即 instance attribute 和 class attribute 。
实例属性在 Python 类的构造函数中定义,并且对于类的每个实例是唯一的。此外,类属性在类的构造函数之外声明并初始化。
Class Attributes (Variables)
类属性是属于某个类的变量,并且其值在该类的所有实例中共享。对于类的每个实例,类属性保持不变。
类属性是在类中定义但不在任何方法中的。它们不能在 init () 构造函数内初始化。除了对象之外,还可以通过类的名称访问它们。换言之,类及其对象都可以使用类属性。
Accessing Class Attributes
对象名称后跟点号符号 (.) 用于访问类属性。
Modifying Class Attributes
若要修改类属性的值,我们只需要为其分配新值,方法是使用类名称后跟点号符号和属性名称。
Example
在以下示例中,我们在 Employee 类中初始化了一个名为 empCount 的类变量。对于声明的每个对象, init () 方法都会自动调用。此方法会初始化实例变量,并将 empCount 加 1。
class Employee:
# class attribute
empCount = 0
def __init__(self, name, age):
self.__name = name
self.__age = age
# modifying class attribute
Employee.empCount += 1
print ("Name:", self.__name, ", Age: ", self.__age)
# accessing class attribute
print ("Employee Count:", Employee.empCount)
e1 = Employee("Bhavana", 24)
print()
e2 = Employee("Rajesh", 26)
Significance of Class Attributes
类属性很重要的原因如下−
-
它们用于定义类的那些属性,对于该类的每个对象,这些属性应具有相同的值。
-
类属性可用于为对象设定默认值。
-
这在创建单例中也很有用。它们是仅实例化一次并可在代码的不同部分中使用的对象。
Built-In Class Attributes
每个 Python 类都保存有以下内建属性,它们可以通过点运算符进行访问,与其他属性无异 -
-
dict − 包含类命名空间的字典。
-
doc − 类的文档字符串或无(如果未定义)。
-
name − Class name.
-
module − 定义该类的模块名称。此属性在交互模式下为 “ main ”。
-
bases − 可能为空的元组,包含基类,按其在基类列表中的出现顺序排列。
Access Built-In Class Attributes
为了在 Python 中访问内建类属性,我们可以使用类名后跟一个点 (.),然后是属性名。
Example
对于 Employee 类,我们正尝试访问所有内建类属性 -
class Employee:
def __init__(self, name="Bhavana", age=24):
self.name = name
self.age = age
def displayEmployee(self):
print ("Name : ", self.name, ", age: ", self.age)
print ("Employee.__doc__:", Employee.__doc__)
print ("Employee.__name__:", Employee.__name__)
print ("Employee.__module__:", Employee.__module__)
print ("Employee.__bases__:", Employee.__bases__)
print ("Employee.__dict__:", Employee.__dict__ )
Output
它将生成如下输出:
Employee.__doc__: None
Employee.__name__: Employee
Employee.__module__: __main__
Employee.__bases__: (<class 'object'>,)
Employee.__dict__: {'__module__': '__main__', '__init__': <function Employee.__init__ at 0x0000022F866B8B80>, 'displayEmployee': <function Employee.displayEmployee at 0x0000022F866B9760>, '__dict__': <attribute '__dict__' of 'Employee' objects>, '__weakref__': <attribute '__weakref__' of 'Employee' objects>, '__doc__': None}
Instance Attributes
如前所述,Python 中的实例属性是一个特定于类中的某个单独对象的变量。它在 init () 方法中进行定义。
此方法的第一个参数为 self,使用此参数可以定义实例属性。