Python中必備的字符串拼接方法,你知道多少?

python拼接字符串通常有如下幾種方法:python

①直接經過(+)操做符拼接函數

s = 'Hello'+' '+'World'+'!'
print(s)
輸出結果:Hello World!.net

使用這種方式進行字符串鏈接的操做效率低下,由於python中使用 + 拼接兩個字符串時會生成一個新的字符串,生成新的字符串就須要從新申請內存,當拼接字符串較多時天然會影響效率。orm

②經過str.join()方法拼接對象

strlist=['Hello',' ','World','!']
print(''.join(strlist))
輸出結果:Hello World!blog

這種方式通常常使用在將集合轉化爲字符串,''.join()其中''能夠是空字符,也能夠是任意其餘字符,當是任意其餘字符時,集合中字符串會被該字符隔開,例如:內存

​strlist=['Hello',' ','World','!']
print(','.join(strlist))
輸出結果:Hello, ,World,!字符串

③經過str.format()方法拼接get

s='{} {}!'.format('Hello','World')
print(s)
輸出結果:Hello World!string

經過這種方式拼接字符串須要注意的是字符串中{}的數量要和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=4
print(f'{x} * {x} = {power(x)}')
輸出結果:4 * 4 = 16

並且F-strings的運行速度很快,比%-string和str.format()這兩種格式化方法都快得多。
--------------------- 
原文:https://blog.csdn.net/weixin_42817899/article/details/83088845?utm_source=copy

相關文章
相關標籤/搜索