1. 程式人生 > >python 字串拼接總結

python 字串拼接總結

1、加號連線

>>> a, b = 'hello', ' world'
>>> a + b
'hello world'

2、逗號連線

>>> a, b = 'hello', ' world'
>>> print(a, b)
hello  world
>>> a, b
hello  world

但是,使用,逗號形式要注意一點,就是隻能用於print列印,賦值操作會生成元組

3、直接連線

print('hello'         ' world')
print('hello''world')

4、%操作符

在 Python 2.6 以前,% 操作符是唯一一種格式化字串的方法,它也可以用於連線字串。

print('%s %s' % ('hello', 'world'))

5、format方法

format 方法是 Python 2.6 中出現的一種代替 % 操作符的字串格式化方法,同樣可以用來連線字串。

print('{}{}'.format('hello', ' world')

6、join內建方法

字串有一個內建方法join,其引數是一個序列型別,例如陣列或者元組等。

print('-'.join(['aa', 'bb', 'cc']))

7、f-string方式

Python 3.6 中引入了 Formatted String Literals(字面量格式化字串),簡稱 f-string

f-string% 操作符和 format 方法的進化版,使用 f-string 連線字串的方法和使用 %操作符、format 方法類似。

>>> aa, bb = 'hello', 'world'
>>> f'{aa} {bb}'
'hello world'

8、* 操作符

>>> aa = 'hello '
>>> aa * 3
'hello hello hello '

小結

連線少量字串時

推薦使用+號操作符。

如果對效能有較高要求,並且python版本在3.6以上,推薦使用f-string。例如,如下情況f-string

可讀性比+號要好很多:

a = f'姓名:{name} 年齡:{age} 性別:{gender}'
b = '姓名:' + name + '年齡:' + age + '性別:' + gender

連線大量字串時

推薦使用 joinf-string 方式,選擇時依然取決於你使用的 Python 版本以及對可讀性的要求。