Python的多态、封装与私有化

我接触的面向对象编程的语言有:Java、Objective-C、Python。发现面向对象的编程语言,都离不开一下几个概念:继承、多态、封装。
继承介绍过了,这里不重复。

多态

什么是多态

>>> "this is a book".count("s")
2
>>> [1,2,3,4,5].count(3)
1

count()的参数并没有限制,调用起来很灵活。

一只动物,可以是猫、可以是狗、这就是多态。

这里我先用Java中接触到的对于多态的理解来写个例子:

>>> class Animal(object):
...     def __init__(self,name):
...         self.name = name
...     def talk(self):
...         pass
...     
... 
>>> class Cat(Animal):
...     def talk(self):
...         print "Meow"
... 
>>> class Dog(Animal):
...     def talk(self):
...         print "Woof"
... 

>>> c = Cat("wxx")
>>> c.talk()
Meow
>>> d = Dog("lyl")
>>> d.talk()
Woof

ps:有其他的理解,待接触到再增加。这里理解不到位。

封装

封装,就是使用私有化的方法,把一些属性或者是方法私有化,外部无法调用。在Python中,私有化属性或者方法,可以在属性、方法名字前加上双下划线。

属性

>>> class ProtectMe(object):
...     def __init__(self):
...         self.__name = "wxx"
...     def _foo(self):
...         print "i love Python."
... 
>>> obj = ProtectMe()

>>> obj.__name
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
AttributeError: 'ProtectMe' object has no attribute '__name'

>>> obj.foo()
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
AttributeError: 'ProtectMe' object has no attribute 'foo'
>>> 

方法

>>> class ProtectMe(object):
...     def __init__(self):
...         self.me = "wxx"
...         self.__name = "zixin"
...     def __python(self):
...         print "this is python"
...     def code(self):
...         print "this is code"
...         self.__python()
... 
>>> p = ProtectMe()
>>> p.code()
this is code
this is python
>>> p.__python()
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
AttributeError: 'ProtectMe' object has no attribute '__python'
>>> 

果然,都被私有化了。

@property

如果私有属性需要在外界调用的时候,可以使用@property
下面是例子:

>>> class ProtectMe(object):
...     def __init__(self):
...         self.me = "wxx"
...         self.__name = "zixin"
...     @property
...     def name(self):
...         return self.__name
... 
>>> p = ProtectMe()
>>> print p.name
zixin
>>> 

用了@property之后,调用name(self):的方法的时候,使用p.name的形式,类似于调用属性的形式。

    原文作者:上发条的树
    原文地址: https://www.jianshu.com/p/1284aaad878e
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞