Python类中属性和方法区分3-8
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Python类中属性和方法区分3-8相关的知识,希望对你有一定的参考价值。
属性
类属性:类对象所送有的属性,定义在类内,方法外,他被所有类对象的实例对象所共有,类对象和实例对象都可以访问
实例属性:构造函数内定义,实例对象多拥有的属性,不能直接通过类名来访问,只能通过实例化对象来访问
class Student:
m_Name = 张韶涵 # 类属性,所有对象所共有
def __init__(self, age):
self.m_Age = age #实例属性
pass
def __str__(self):
return 姓名:,年龄:.format(self.m_Name, self.m_Age)
pass
stu1 = Student(18)
print(stu1) # 类实例化对象访问
print(Student(19)) # 类名直接访问m_Name,传值给m_Age
print(stu1.m_Age) # 仍未18,不因上面一条语句而改变
stu1.m_Name = 李易峰 # 改变了所有类对象的m_Name
stu2 = Student(25)
print(stu2) # 名字改变
stu1.m_Age = 50
print(stu2.m_Age)
stu2.m_Age = 10
print(stu1.m_Age)
print()
类属性,类对象可以访问,实例对象也可以访问,这与内存中保存的方式有关 # 所有实例对象的类对象指针指向同一类对象。
实例属性在每一个实例中独有一份,而类属性是所有实例对象共有一份
类方法
类方法:类对象所共有的方法,需要用装饰器@classmethod来标识其为类方法,对于类方法,第一个参数必须是类对象,一般以cls作为第一个参数
# 类方法可以被类对象,实例对象调用
class Person:
m_Country = China
def __init__(self, name):
self.m_Name = name
@classmethod
def Get_Country(cls):
return cls.m_Country # 类函数访问类属性
@classmethod
def Change_Country(cls, country):
cls.m_Country = country
return cls.m_Country
def __str__(self):
return 姓名:,国家:.format(self.m_Name, self.m_Country)
print(Person(李易峰).Get_Country()) # 类对象直接调用类函数
p1 = Person(张韶涵)
print(p1.Get_Country())
print(p1)
print()
p2 = Person(易隆平)
print(p2)
print(背叛国家后)
p2.Change_Country(日本)
print(p2)
print(Person.m_Country)
print(Person.Change_Country(印度))
print(再次叛国)
print(p2)
print()
静态方法
类对象所拥有的方法,需要用@staticmenthod来表示静态方法,静态方法可以不加任何参数
class Student:
m_Class = 08121910
def __init__(self, age):
self.m_Age = age
pass
@staticmethod
def Get_Class():
return Student.m_Class
pass
print(Student(10).Get_Class())
print()
静态方法完全没必要用实例对象来访问
静态方法本身与类和对象没有交互,一般不会在静态方法中涉及到类中方法和属性的操作,数据资源能够得到有效利用
import time
class Time:
@staticmethod
def Show_Time():
return time.strftime("%H:%M:%S", time.localtime())
pass
print(Time.Show_Time())
# 补充:类方法第一个参数为cls,实例方法第一个参数为self,且可以用self去引用类属性或者实例属性,如果存在实例属性和类属性重名的
以上是关于Python类中属性和方法区分3-8的主要内容,如果未能解决你的问题,请参考以下文章