05-面向对象编程

来源:互联网 发布:h3c路由器端口映射 sql 编辑:程序博客网 时间:2024/06/06 02:55
#!/usr/bin/env python# -- coding: utf-8 --__author__ = 'sunh''''在Python中,一个.py文件就称为一个模块(Module)。为了避免模块名冲突,Python按目录来组织模块,称之为包(backage)。每个包目录下面都会有一个__init__py文件,这个文件是必须存在的,否则,Python就把这个目录当成普通目录,而不是一个包。__init__.py可以使空文件,也可以有Python代码。''''''使用模块'''import sysdef test():    args = sys.argv    if len(args) == 1:        print 'Hello,world!'    elif len(args) == 2:        print 'Hello,%s!' % args[1]    else:        print 'Too many arguments!'if __name__ == '__main__':    test()# 当命令行运行本模块时,Python解释器吧一个特殊变量__name__置为__main__,而如果在其他地方导入该模块,if判断将会失败。# 要导入后调用才会生效if判断'''作用域''''''在一个模块中,我们可能会定义很多函数和变量,但有的函数和变量我们不希望别人使用,有的函数和变量我们希望仅仅在模块内部使用,在Python中,是通过_前缀来实现的。正常的函数和变量名是公开的(public),可以被直接饮用。类似xxx这样的变量是特殊变量,可以被直接饮用,但是有特殊用途,比如__name__,__author__,模块定义的文档注释课可以用__doc__访问。类似_xxx和__xxx这样的函数或变量就是非公开的(private),不应该被直接饮用。''''''面向对象编程————Object Oriented Programming,简称OOP,是一种程序设计思想。OOP吧对象作为程序的基本单元,一个对象包含了数据和操作数据的函数。面向过程的程序设计把计算机程序视为一系列的命令集合,即一组函数的顺序执行,为了简化程序设计,面向过程吧函数继续切分成为子函数,即把大块的函数通过切割成小块函数降低系统的复杂度。而面向对象的程序设计吧计算机程序视为一组对象的集合,而每个对象都可以接受其他对象发过来的消息,并处理这些消息,计算机程序的执行就是一系列消息在各个对象之间传递。在Python中,所有数据类型都可以视为对象,当然也可以自定义对象,自定义的对象数据类型就是面向对象中的类(Class)的概念。''''''类和实例'''# 面向对象最重要的概念就是类(Class)和实例(Instance),必须牢记类是抽象的模板,而实例是根据类创建出来的一个个具体的 '对象 ',# 每个对象都拥有相同的方法,但各自的数据可能不同。以Student类为例,在Python中,定义类是通过class关键字class Student(object):    pass# class后面接着是类名,即 'Student ',类名通过是大写开头的单词,紧接着是(object),表示类是从哪个类继承下来的,# object是所有类都会继承的类。定义了好了Student类,就可以根据Student类创建出Student的实例,创建实例是通过类名+()实现的:jack = Student()print jack  # <__main__.Student object at 0x7f81587eb450>print Student  # <class '__main__.Student'># 通过一个特殊的`__init__`方法,在创建实例的时候,就可以对某些属性初始化class Student(object):    def __init__(self, name, score):        self.name = name        self.score = score# 注意__innit__方法的第一个参数永远是`self`,表示创建的实例本身,因此在`__init__`方法内部,就可以把各个属性绑定到`self`,因为`self`就指向创建的实例本身。# 有了`__init__`方法,在创建实例的时候,就不能传入空的参数了,必须传入与`__init__`方法匹配的参数,但`self`不需要传,Python解释器自己会把实例变量穿进去:class Student(object):    def __init__(self, name):        self.name = namejack = Student('jack')print jack.name# 数据封装# 面向对象编程的一个重要特点就是数据封装。# 类本身就拥有数据,要访问数据,就没有必要从外面的函数去访问,就直接用类内部定义访问数据的函数,# 这样就把“数据”给封装起来了,这些封装数据的函数是和类本身关联起来的,外面称之为类的方法,# 要定义一个方法,除了第一个参数是`self`外,其他和普通函数一样。要调用一个方法,# 只需要在实例变量上直接调用,出了`self`不用传递,其他参数正常传入。class Student(object):    def __init__(self, name):        self.name = name    def get_name(self):        return self.namejack = Student('jack')print jack.get_name()'''##访问限制在Class内部,可以有属性和方法,而外部代码可以通过直接调用实例变量的方法来操作数据,这样就可以隐藏内部的复杂逻辑。为了内部属性不被外部访问,可以把属性的名称前加上两个下划线`__`,在Python中,实例变量名如果以`__`开头,就变成了一个私有变量(private),只有内部可以访问,外部不能访问。需要注意的是,在Python中变量名类似`__xxx__`的,也就是以双下划线开头,并且以双下划线结尾的,是特殊变量,特殊变量是可以直接访问的,不是private变量,所以不能用__name__这样的变量名。双下划线开头的实例变量外部不能直接访问是因为Python解释器对外把`__name`变量改成了`_Student__name`,所以,仍然可以通过`_Student__name`来访问`__name`变量。'''class Student(object):    def __init__(self, name):        self.name = name    def print_name(self):        print '%s' % (self.name)jack = Student('jack')jack.print_name()# 但不同版本的Python解释器可能会把`__name`改成不同的变量名。# 继承和多态# 在OOP程序设计中,定义一个class的时候,可以从某个现有的class继承,新的class称为子类(Subclass),而被继承的class称为基类、父类或者超类(Base class、Super class)class Animal(object):    def run(self):        print 'Animal is running  'class Dog(Animal):    def run(self):        print 'Dog is running  'class Cat(Animal):    passdog = Dog()dog.run()cat = Cat()cat.run()# 判断一个变量是否是某个类型可以用`isinstance()`判断:a = list()  # a是list类型b = Animal()  # b是Animal类型c = Dog()  # c是Dog类型print isinstance(a, list)# Trueprint isinstance(b, list)# Falseprint isinstance(b, Animal)# Trueprint isinstance(c, Animal)# Trueprint isinstance(c, Dog)# True# 获取对象信息# 使用type()# 判断对象类型,使用`type()`函数print type(123)print type('str')print type(None)print type(abs)# Python把每种type类型都定义好了常量,放在types模块里,使用之前,需要先导入:import typesprint type('abc') == types.StringType# Trueprint type(u'abc') == types.UnicodeType# Trueprint type([]) == types.ListType# Trueprint type(str) == types.TypeType# True# 使用isinstance()# 对于class的继承关系,可以用`isinstance()`函数判断class Animal(object):    passclass Dog(Animal):    passclass Husky(Dog):    passa = Animal()d = Dog()h = Husky()print isinstance(h, Husky)# Trueprint isinstance(h, Dog)# Trueprint isinstance(h, Animal)# Trueprint isinstance(d, Husky)# Falseprint isinstance(d, Dog)# Trueprint isinstance(d, Animal)# Trueprint isinstance(d, (Animal, Husky))  # d是否为Animal,Husky中的一种# True# 使用dir()# 获取一个对象的所有属性和方法,可以使用`dir()`函数,它返回一个包含字符串的listprint dir('ABC')'''['__add__', '__class__', '__contains__', '__delattr__', '__doc__', '__eq__', '__format__', '__ge__','__getattribute__', '__getitem__', '__getnewargs__', '__getslice__', '__gt__', '__hash__', '__init__','__le__', '__len__', '__lt__', '__mod__', '__mul__', '__ne__', '__new__', '__reduce__', '__reduce_ex__','__repr__', '__rmod__', '__rmul__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__','_formatter_field_name_split', '_formatter_parser', 'capitalize', 'center', 'count', 'decode','encode', 'endswith', 'expandtabs', 'find', 'format', 'index', 'isalnum', 'isalpha', 'isdigit','islower', 'isspace', 'istitle', 'isupper', 'join', 'ljust', 'lower', 'lstrip', 'partition', 'replace','rfind', 'rindex', 'rjust', 'rpartition', 'rsplit', 'rstrip', 'split', 'splitlines', 'startswith','strip', 'swapcase', 'title', 'translate', 'upper', 'zfill']'''# 类似`__xxx__`的属性和方法在Python中都有特殊的用途,比如上例的`__len__`方法返回长度。# 调用`len()`函数获取对象长度时,实际回去调用对象的`__len__`方法。# 利用`getattr()`、`setattr()`、`hasattr()`函数还可以直接操作一个对象的状态:obj = Animal()print hasattr(obj, 'x')  # 是否有属性'x'?# Falseprint hasattr(obj, 'y')  # 是否有属性'y'?# Falseprint setattr(obj, 'y', 19)  # 设置一个属性'y'print hasattr(obj, 'y')  # 是否有属性'y'?# Trueprint getattr(obj, 'y')  # 或属性属性'y'# 19# 可以传入一个default参数,如果属性不存在,就返回默认值:print getattr(obj, 'z', 404)  # 获取属性'z',如果不存在,返回默认值404# 动态绑定属性和方法# 正常情况下,当我们定义了一个class,创建一个class的实例后,我们可以给该实例绑定任何属性和方法,这就是动态语言的灵活性:class Student(object):    pass s = Student()s.name = 'Zoe'print s.name# Zoedef set_age(self, age):  # 定义一个函数作为实例的方法    self.age = age from types import MethodTypes.set_age = MethodType(set_age, s, Student)  # 给实例绑定一个方法s.set_age(22)print s.age# 22'''使用slots'''# 如果想要限制class的属性怎么办?比如只允许Student实例添加name和age属性。# 为了达到限制的目的,Python允许在定义class的时候,定义一个特殊的__slots__变量,来限制该class能添加的属性'''@property'''# 在绑定属性时,我们直接把属性暴露出来,这样还不安全# 为了限制属性的使用范围,可以使用@property装饰器把一个方法变成属性调用:class Student(object):    @property    def score(self):        return self._score    @score.setter    def score(self, value):        if not isinstance(value, int):            raise ValueError('score must be an integer!')        if value < 0 or value > 100:            raise ValueError('score must between 0 ~ 100')        self._score = value# @property的实现比较复杂,我们先考察如何使用。把一个getter方法变成属性,只需要加上@property就可以了,# 此时,@property本身又创建了另一个装饰器@score.setter,负责把一个setter方法变成属性赋值,于是,我们就拥有一个可控的属性操作:s = Student()s.score = 69print s.score69# s.score = 101'''Traceback (most recent call last):  File "<stdin>", line 1, in <module>  File "<stdin>", line 10, in scoreValueError: score must between 0 ~ 100'''# s.score = '99''''Traceback (most recent call last):  File "<stdin>", line 1, in <module>  File "<stdin>", line 8, in scoreValueError: score must be an integer!'''# 还可以定义只读属性,只定义getter方法,不定义setter方法就是一个只读属性:class Student(object):    @property    def birth(self):        return self._birth    @birth.setter    def birth(self, value):        self._birth = value    @property    def age(self):        return 2014 - self._birth# 上面的birth是可读写属性,而age就是一个只读属性,因为age可以根据birth和当前时间计算出来。'''多重继承'''# class SubClass(SpuClass1,SpuClass2,...)'''定制类'''# 之前,我们知道了一些形如__xxx__的变量或方法的特殊作用,如:__slots__,__len__()# str类的说明:class Student(object):    def __init__(self, name):            self.name = nameprint Student('Jack')# <__main__.Student object at 0x10e50d910>class Student(object):    def __init__(self, name):            self.name = name    def __str__(self):            return 'Student object (name:%s)' % self.nameprint Student('Jack')# Student object (name:Jack)print s# <__main__.Student object at 0x10e50d790># 直接输出还是“不好看”class Student(object):    def __str__(self):            return 'Student object (name:%s)' % self.name    def __init__(self, name):            self.name = name    __repr__ = __str__s = Student("Jakc")print s# Student object (name:Jakc)# iter# 如果一个类要背用于for...in循环,就必须实现一个__iter__()方法,该方法返回一个迭代对象,# 然后Python的for循环就会不断调用该迭代对象的next()方法拿到循环的下一个值,值得遇到StopIteration错误时退出循环。class Fib(object):    def __init__(self):            self.a, self.b = 0, 1    def __iter__(self):            return self    def next(self):            self.a, self.b = self.b, self.a + self.b            if self.a > 100000:                    raise StopIteration()            return self.afor n in Fib():    print n# getitem# 要想像list那样按照下标取元素,需要实现getitem()方法class Fib(object):    def __getitem__(self, n):            a, b = 1, 1            for x in range(n):                    a, b = b, a+b            return af = Fib()print f[0]# 但是list有个神奇的切片方法:class Fib(object):    def __getitem__(self, n):        if isinstance(n, int):            a, b = 1, 1            for x in range(n):                a, b = b, a + b            return a        if isinstance(n, slice):            start = n.start            stop = n.stop            a, b = 1, 1            L = []            for x in range(stop + 1):                if x >= start:                    L.append(a)                a, b = b, a + b            return L# getattr# 通过__getattr__()方法我们可以返回一个不存在的属性class SubClass(object):    def __getattr__(self,name):            if name=='age':                    return lambda:22s = SubClass()print s.age()# 22# call# 设置一个函数,通过实例本身调用class Student(object):    def __init__(self, name):            self.name = name    def __call__(self):            print('My name is %s' % self.name)s = Student('zoe')s()# My name is zoe# 通过callable()函数,我们就可以判断一个对象是否是“可调用”对象。print callable(max)# Trueprint callable([1,2,4])# Falseprint callable(None)# Falseprint callable('str')# Falseprint callable(Student('zoe'))# True

0 0
原创粉丝点击