当前位置:脚本大全 > > 正文

python下划线怎么用(Python3中_下划线和__双下划线的用途和区别)

时间:2021-10-12 00:50:18类别:脚本大全

python下划线怎么用

Python3中_下划线和__双下划线的用途和区别

在看一些python开源代码时,经常会看到以下划线或者双下划线开头的方法或者属性,到底它们有什么作用,又有什么样的区别呢?今天我们来总结一下(注:下文中的代码在python3下测试通过)

_ 的含义

在python的类中没有真正的私有属性或方法,没有真正的私有化。

但为了编程的需要,我们常常需要区分私有方法和共有方法以方便管理和调用。那么在python中如何做呢?

一般python约定加了下划线 _ 的属性和方法为私有方法或属性,以提示该属性和方法不应在外部调用,也不会被from modulea import * 导入。如果真的调用了也不会出错,但不符合规范。

下面的代码演示加了_ 的方法,以及在类外面对其的可访问性。

  • ?
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • class testa:
  •   def _method(self):
  •     print('i am a private function.')
  •   def method(self):
  •     return self._method()
  • ca = testa()
  • ca.method()
  • 输出:

    i am a private function.

    在类testa中定义了一个_method方法,按照约定是不能在类外面直接调用它的,为了可以在外面使用_method方法,又定义了method方法,method方法调用_method方法。

    但是我们应该记住的是加了_的方法也可以在类外面调用:

  • ?
  • 1
  • ca._method()
  • 输出:

    i am a private function.

    __ 的含义

    python中的__和一项称为name mangling的技术有关,name mangling (又叫name decoration命名修饰).在很多现代编程语言中,这一技术用来解决需要唯一名称而引起的问题,比如命名冲突/重载等.

    python中双下划线开头,是为了不让子类重写该属性方法.通过类的实例化时自动转换,在类中的双下划线开头的属性方法前加上”_类名”实现.

  • ?
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • class testa:
  •   def __method(self):
  •     print('this is a method from class testa')
  •   def method(self):
  •     return self.__method()
  • class testb(testa):
  •   def __method(self):
  •     print('this is a method from calss testb')
  • ca = testa()
  • cb = testb()
  • ca.method()
  • cb.method()
  • 输出结果:

    this is a method from class testa
    this is a method from class testb

    在类testa中,__method方法其实由于name mangling技术的原因,自动转换成了_testa__method,所以在a中method方法返回的是_testa__method,testb作为testa的子类,只重写了__method方法,并没有重写method方法,所以调用b中的method方法时,调用的还是_testa__method方法。

    注意:在a中没有__method方法,有的只是_a__method方法,也可以在外面直接调用,所以python中没有真正的私有化

    不能直接调用__method()方法, 需要调用转换之后的方法

  • ?
  • 1
  • ca.__method()
  • 输出:

    traceback (most recent call last):
      file "<stdin>", line 1, in <module>
    attributeerror: 'testa' object has no attribute '__method'

    转换后的方法名为:_testa__method

  • ?
  • 1
  • ca._testa__method()
  • 输出:

    this is a method from class testa

    在testb中重写method方法:

  • ?
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • class testb(testa):
  •   def __method(self):
  •     print('this is a method from calss testb')
  •   def method(self):
  •     return self.__method()
  • cb = b()
  • cb.method()
  • 输出:

    this is a method from calss testb

    现在testb中的method方法会调用_testb__method方法:

    1、_xxx 不能用于'from module import *' 以单下划线开头的表示的是protected类型的变量。即保护类型只能允许其本身与子类进行访问。

    2、__xxx 双下划线的表示的是私有类型的变量。只能是允许这个类本身进行访问了。连子类也不可以

    3、__xxx___ 定义的是特列方法。像__init__之类的

    总结

    python中没有真正的私有化,但是有一些和命名有关的约定,来让编程人员处理一些需要私有化的情况。

    以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持开心学习网。

    原文链接:https://www.pythontab.com/html/2019/pythonhexinbiancheng_0415/1418.html

    上一篇下一篇

    猜您喜欢

    热门推荐