首页 > 编程 > Python > 正文

Python 面向对象之类class和对象基本用法示例

2020-02-15 21:27:55
字体:
来源:转载
供稿:网友

本文实例讲述了Python 面向对象之类class和对象基本用法。分享给大家供大家参考,具体如下:

类(class):定义一件事物的抽象特点,usually,类定义了事物的属性和它可以做到的性为

对象(object):是类的实例。

1.基本点

class MyClass(object):  message = "hello,world"  def show(self):    print (self.message)

类名为MyClass 有一个成员变量:message,并赋予初值
类中定义了成员函数show(self),注意类中的成员函数必须带有参数self
参数self是对象本身的引用,在成员函数中可以引用self参数获得对象的信息

输出结果:

inst = Myclass() # 实例化一个MyClass 的对象inst.show # 调用成员函数,无需传入self参数hello,world

注: 通过在类名后面加小括号可以直接实例化类来获得对象变量,使用对象变量可以访问类的成员函数与成员变量。

2.构造函数

构造函数是一种特殊的类成员方法,主要用来创建对象初始化,python 中的类构造函数用__init__命名:

class MyClass(object):  message = 'Hello, Developer.'  def show(self):    print self.message  def __init__(self):    print "Constructor is called"inst = MyClass()inst.show()>>>

打印结果:

>>>Constructor is called>>>Hello, Developer.

注:构造函数不能有返回值,python 中不能定义多个构造函数,但可以通过为命名参数提供默认值的方式达到用多种方式构造对象的目的。

3.析构函数

是构造的反向函数,在销毁或者释放对象时调用他们。

python 中为类定义析构函数的方法在类定义中定义一个名为__del__的没有返回值和参数的函数。

class MyClass(object):  message = 'Hello, Developer.'  def show(self):    print self.message  def __init__(self, name = "unset", color = "black"):    print "Constructor is called with params: ",name, " ", color  def __del__(self):    print "Destructor is called!"inst = MyClass()inst.show()inst2 = MyClass("David")inst2.show()del inst, inst2inst3 = MyClass("Lisa", "Yellow")inst3.show()del inst3>>>

打印结果:

Constructor is called with params:  unset   black
Hello, Developer.
Constructor is called with params:  David   black
Hello, Developer.
Destructor is called!
Destructor is called!
Constructor is called with params:  Lisa   Yellow
Hello, Developer.
Destructor is called!

4.实例成员变量

构造函数中定义self引用的变量,因此这样的成员变量在python中叫做实例成员变量。

def __init__(self, name = "unset", color = "black"):  print "Constructor is called with params: ",name, " ", color  self.name = name  self.color = color            
发表评论 共有条评论
用户名: 密码:
验证码: 匿名发表