6.1.3 字符串的合并

与Java语言一样,Python使用“+”连接不同的字符串。Python会根据“+”两侧变量的类型,决定执行连接操作或加法运算。如果“+”两侧都是字符串类型,则进行连接操作;如果“+”两侧都是数字类型,则进行加法运算;如果“+”两侧是不同的类型,将抛出异常。


TypeError: cannot concatenate 'str' and 'int' objects

下面的代码演示了字符串的连接方法。


01     # 使用"+"连接字符串
02     str1 = "hello "
03     str2 = "world "
04     str3 = "hello "
05     str4 = "China "
06     result = str1 + str2 + str3
07     result += str4
08     print (result)

【代码说明】

·第6行代码,把变量str1、str2、str3的值连接起来,并把结果存放在变量result中。

·第7行代码,使用运算符“+=”连接变量result和str4。

·第8行代码输出结果:


hello world hello China

可见,使用“+”对多个字符串进行连接稍显烦琐。Python提供了函数join(),用于连接字符串,join()配合列表可十分方便地实现多个字符串的连接。


01     # 使用join()连接字符串
02     strs = ["hello ", "world ", "hello ", "China "]
03     result = "".join(strs)
04     print (result)

【代码说明】

·第2行代码用列表取代变量,把多个字符串存放在列表中。

·第3行代码调用join(),每次连接列表中的一个元素。

·第4行代码输出结果:


hello world hello China

使用reduce()可以对某个变量进行累计,下面代码可以对字符串进行累计连接,从而实现多个字符串的连接。


01     # 使用reduce()连接字符串
02     from functools import reduce
03     import operator
04     strs = ["hello ", "world ", "hello ", "China "]
05     result = reduce(operator.add, strs, "")
06     print (result)

【代码说明】

·第3行代码导入模块operator,利用add()方法实现累计连接。

·第5行代码调用reduce()实现对空字符串“”的累计连接,每次连接列表strs中的一个元素。

·第6行代码输出结果:


hello world hello China