Python中字串拼接的N種方法
python拼接字串一般有以下幾種方法:
①直接通過(+)操作符拼接
s = 'Hello'+' '+'World'+'!'print(s)
輸出結果:Hello World!
使用這種方式進行字串連線的操作效率低下,因為python中使用 + 拼接兩個字串時會生成一個新的字串,生成新的字串就需要重新申請記憶體,當拼接字串較多時自然會影響效率。
②通過str.join()方法拼接
strlist=['Hello',' ','World','!']
print(''.join(strlist))
輸出結果:Hello World!
這種方式一般常使用在將集合轉化為字串,''.join()其中''可以是空字元,也可以是任意其他字元,當是任意其他字元時,集合中字串會被該字元隔開,例如:
strlist=['Hello',' ','World','!']
print(','.join(strlist))
輸出結果:Hello, ,World,!
③通過str.format()方法拼接
s='{} {}!'.format('Hello','World')
print(s)
輸出結果:Hello World!
通過這種方式拼接字串需要注意的是字串中{}的數量要和format方法引數數量一致,否則會報錯。
④通過(%)操作符拼接
s = '%s %s!' % ('Hello', 'World')
print(s)
輸出結果:Hello World!
這種方式與str.format()使用方式基本一致。
⑤通過()多行拼接
s = ( 'Hello'
' '
'World'
'!')
print(s)
輸出結果:Hello World!
python遇到未閉合的小括號,自動將多行拼接為一行。
⑥通過string模組中的Template物件拼接
from string import Template
s = Template('${s1} ${s2}!')
print(s.safe_substitute(s1='Hello',s2='World'))
輸出結果:Hello World!
Template的實現方式是首先通過Template初始化一個字串。這些字串中包含了一個個key。通過呼叫substitute或safe_subsititute,將key值與方法中傳遞過來的引數對應上,從而實現在指定的位置匯入字串。這種方式的好處是不需要擔心引數不一致引發異常,如:
from string import Template
s = Template('${s1} ${s2} ${s3}!')
print(s.safe_substitute(s1='Hello',s2='World'))
輸出結果:Hello World ${s3}!
⑦通過F-strings拼接
在python3.6.2版本中,PEP 498 提出一種新型字串格式化機制,被稱為“字串插值”或者更常見的一種稱呼是F-strings,F-strings提供了一種明確且方便的方式將python表示式嵌入到字串中來進行格式化:
s1='Hello's2='World'print(f'{s1} {s2}!')
輸出結果:Hello World!
在F-strings中我們也可以執行函式:
def power(x):
return x*x
x=4print(f'{x} * {x} = {power(x)}')
輸出結果:4 * 4 = 16
而且F-strings的執行速度很快,比%-string和str.format()這兩種格式化方法都快得多。
原文出處:https://my.oschina.net/mutoushirana/blog/1861267
識別圖中二維碼,領取python全套視訊資料