转载自:https://www.cnblogs.com/coder2012/p/4423356.html 默认情况下,Python中的成员函数和成员变量都是公开的(public),在python中没有类public,private等关键词来修饰成员函数和成员变量。其实,Python并没有真正的私有化支持,但可用下划线得到伪私有。 尽量避免定义以下划线开头的变量! (1)_xxx "单下划线 " 开始的成员变量叫做保护变量,意思是只有类实例和子类实例能访问到这些变量,需通过类提供的接口进行访问;不能用'from module import *'导入 (2)__xxx 类中的私有变量/方法名 (Python的函数也是对象,所以成员方法称为成员变量也行得通。)," 双下划线 " 开始的是私有成员,意思是只有类对象自己能访问,连子类对象也不能访问到这个数据。 (3)__xxx__ 系统定义名字,前后均有一个“双下划线” 代表python里特殊方法专用的标识,如 __init__()代表类的构造函数。 #-*- coding:utf-8 -*- class A(object): def __init__(self):#系统定义方法 self.string='A string' self._string='A _string' self.__string='A __string'#私有变量 def fun(self): return self.string + ' fun-A' def _fun(self): return self._string+' _fun-A' def __fun(self):#私有方法 return self.__string+' __fun-A' def for__fun(self):#内部调用私有方法 return self.__fun() class B(A): def __init__(self):#系统定义方法 self.string = 'B string' a=A() print a.string print a._string # print a.__string 不可访问 print a.fun() print a._fun() #print a.__fun() 不可访问 print a.for__fun() b=B() print b.fun() print b.fun().__len__()#系统定义函数 输出: A string
"_"单下划线Python中不存在真正的私有方法。为了实现类似于c++中私有方法,可以在类的方法或属性前加一个“_”单下划线,意味着该方法或属性不应该去调用,它并不属于API。 在使用property时,经常出现这个问题: class BaseForm(StrAndUnicode): ... def _get_errors(self): "Returns an ErrorDict for the data provided for the form" if self._errors is None: self.full_clean() return self._errors errors = property(_get_errors) 上面的代码片段来自于django源码(django/forms/forms.py)。这里的errors是一个属性,属于API的一部分,但是_get_errors是私有的,是不应该访问的,但可以通过errors来访问该错误结果。 "__"双下划线这个双下划线更会造成更多混乱,但它并不是用来标识一个方法或属性是私有的,真正作用是用来避免子类覆盖其内容。 让我们来看一个例子: class A(object): def __method(self): print "I'm a method in A" def method(self): self.__method() a = A() a.method() 输出是这样的: $ python example.py I'm a method in A
class B(A): def __method(self): print "I'm a method in B" b = B() b.method()
$ python example.py I'm a method in A 就像我们看到的一样,B.method()不能调用B.__method的方法。实际上,它是"__"两个下划线的功能的正常显示。 因此,在我们创建一个以"__"两个下划线开始的方法时,这意味着这个方法不能被重写,它只允许在该类的内部中使用。 在Python中如是做的?很简单,它只是把方法重命名了,如下: a = A() a._A__method() # never use this!! please! $ python example.py I'm a method in A 如果你试图调用a.__method,它还是无法运行的,就如上面所说,只可以在类的内部调用__method。
|
|