本文讨论python中将某个复杂对象转换为简单对象或数据类型的常用魔术放啊,这些在编程中是十分有用的。
1、__str__
方法。
在讲解本方法前我们先打开一个jupyter notebook,随意创建一个类如下,使用str()方法输出该类的实例看看返回了什么:
1
2
3
4
5
6
7
8
9
|
class BarChart( object ): def __init__( self , x, y, labels,color): self .x = x self .y = y self .labels = labels self .color = color def show( self ): pass str (BarChart(x = [ 1 , 2 , 3 ,], y = [ 10 , 30 , 20 ],labels = [ '1' , '2' , '3' ])) |
Out[1]:
‘<main.BarChart object at 0x0000017B5704D5B0>'
日常开发中,多数情况下,形如<main.BarChart object at 0x0000017B5704D5B0>这样的输出对我们没有任何作用。然而在python中却常用str()方法进行强制类型转换,我们希望将某个对象转换成字符串后是某一定的意义的,这就需要用到魔术方法__str__
。__str__
方法在对象传递给str的构造函数时被调用;该方法接受一个位置参数(self),具体请看下例:
1
2
3
4
5
6
7
8
9
10
11
|
class BarChart( object ): def __init__( self , x, y, labels, color): self .x = x self .y = y self .labels = labels self .color = color def show( self ): pass def __str__( self ): return '我是一个bar图,我的颜色值为:' + self .color str (BarChart(x = [ 1 , 2 , 3 ,], y = [ 10 , 30 , 20 ],labels = [ '1' , '2' , '3' ],color = 'red' )) |
Out[2]:
‘我是一个bar图,我的颜色值为:red'
2.__unicode__
方法和__bytes__
方法
python2中的字符串是ASCII字符串,而python3中采用的是Unicode字符串,并且python3还引入了bytes(bytestring)类型。不同的字符串家族拥有自己的魔术方法:
-
python2中出品了
__unicode__
魔术方法,该方法在对象传递给unicode的构造函数时被调用,接受一个位置参数(self); -
python3中出品了
__bytes__
魔术方法,该方法在对象传递给bytes的构造函数时被调用,接受一个位置参数(self);
3.__bool__
方法
其实道理也是类似的,__bool__
在对象传递给bool的构造函数时被调用。但是在python2和python3中对于该方法的命名不一样:
-
在python2中被命名为
__nonzero__
方法; -
在python3中被命名为
__bool__
方法。
不过,两者的功能是一致的,它们都接受一个位置参数(self)并返回一个bool值,即True
或False
。
4.__int__
、__float__
和__complex__
方法
如果一个对象定义了一个返回int类型的__int__
方法,那么该对象被传递给int的构造函数时,int方法会被调用。类似地,若对象定义了__float__
方法和__complex__
方法 ,也会在各自传递给float或complex的构造函数时被调用。另外,python2中拥有Long类型(而python3中不再拥有),因此在python2中相应地有__long__
方法。
到此这篇关于Python类型转换的魔术方法的文章就介绍到这了,更多相关Python类型转换魔术方法内容请搜索服务器之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持服务器之家!
原文链接:https://blog.csdn.net/qq_28550263/article/details/111506439