Python中應該使用%仍是format來格式化字符串?

 

%仍是format

皇城PK

Python中格式化字符串目前有兩種陣營:%和format,咱們應該選擇哪一種呢?
自從Python2.6引入了format這個格式化字符串的方法以後,我認爲%仍是format這根本就不算個問題。不信你往下看。
# 定義一個座標值
c = (250, 250 )
# 使用%來格式化
s1 = " 敵人座標:%s " % c
上面的代碼很明顯會拋出一個以下的TypeError:
TypeError: not all arguments converted during string formatting
像這類格式化的需求咱們須要寫成下面醜陋的格式才行:
# 定義一個座標值
c = (250, 250 )
# 使用%醜陋的格式化...
s1 = " 敵人座標:%s " % (c,)
而使用format就不會存在上面的問題:
# 定義一個座標值
c = (250, 250 )
# 使用format格式化
s2 = " 敵人座標:{} " .format(c)
很顯然,上面這一個理由就已經足夠讓你在之後的項目中使用format了。

新特性

在Python3.6中加入了 f-strings
In[1]: name = " Q1mi "
In[2 ]: age = 18
In[3 ]: f " My name is {name}.I'm {age} "
Out[3 ]: " My name is Q1mi.I'm 18 "

經常使用的format用法

經過位置

In[1]: data = [ " Q1mi " , 18 ]
In[2 ]: " Name:{0}, Age:{1} " .format(* data)
Out[2 ]: ' Name:Q1mi, Age:18 '

經過關鍵字

In[ 1 ]: data = { " name " : " Q1mi " , " age " : 18 }
In[ 2 ]: " Name:{name}, Age:{age} " .format(** data)
Out[ 2 ]: ' Name:Q1mi, Age:18 '

經過對象屬性

In[ 1 ]: class Person( object ):
...: def __init__(self, name, age):
...: self.name = name
...: self.age = age
...: def __str__(self):
...: return " This guy is {self.name}, {self.age} years old. " .format(self= self)
...:
In[2 ]: p = Person( " Q1mi " , 18 )
In[3 ]: str(p)
Out[3 ]: ' This guy is Q1mi, 18 years old. '

經過下標

In[ 1 ]: " {0[0]} is {0[1]} years old. " .format(data)
Out[ 1 ]: ' Q1mi is 18 years old. '

填充與對齊

填充常跟對齊一塊兒使用
^、<、>分別是居中、左對齊、右對齊,後面帶寬度
:號後面帶填充的字符,只能是一個字符,不指定的話默認是用空格填充。
In[ 1 ]: " {:>10} " .format( ' 18 ' )
Out[ 1 ]: ' 18 '
In[ 2 ]: " {:0>10} " .format( ' 18 ' )
Out[ 2 ]: ' 0000000018 '
In[ 3 ]: " {:A>10} " .format( ' 18 ' )
Out[ 3 ]: ' AAAAAAAA18
補充一個字符串自帶的zfill()方法:
Python zfill()方法返回指定長度的字符串,原字符串右對齊,前面填充0。
zfill()方法語法:str.zfill(width)
參數width指定字符串的長度。原字符串右對齊,前面填充0。
返回指定長度的字符串。
In[ 1 ]: " 18 " .zfill( 10 )
Out[ 1 ]: ' 0000000018 '

精度與類型f

精度常跟類型f一塊兒使用。
In[ 1 ]: " {:.2f} " .format( 3.1415926 )
Out[ 1 ]: ' 3.14 '
其中.2表示長度爲2的精度,f表示float類型。

其餘進制

主要就是進制了,b、d、o、x分別是二進制、十進制、八進制、十六進制。
In[ 1 ]: " {:b} " .format( 18 )
Out[ 1 ]: ' 10010 '
In[ 2 ]: " {:d} " .format( 18 )
Out[ 2 ]: ' 18 '
In[ 3 ]: " {:o} " .format( 18 )
Out[ 3 ]: ' 22 '
In[ 4 ]: " {:x} " .format( 18 )
Out[ 4 ]: ' 12 '

千位分隔符

In[ 1 ]: " {:,} " .format( 1234567890 )
Out[ 1 ]: ' 1,234,567,890 '
 
做者: 李文周
相關文章
相關標籤/搜索