如何在Python中连接两个字符串
Python字符串是Unicode字符的集合。 Python提供了许多内置函数用于字符串操作。字符串连接是将一个字符串与另一个字符串合并的过程。可以通过以下方式完成。
- 使用+运算符
- 使用join()方法
- 使用%方法
- 使用format()函数
让我们了解以下字符串连接方法。
使用+运算符
这是一种简单的方法来组合两个字符串。+运算符将多个字符串添加在一起。字符串必须分配给不同的变量,因为字符串是不可变的。让我们了解下面的示例。
示例
# Python program to show
# string concatenation
# Defining strings
str1 = "Hello "
str2 = "Devansh"
# + Operator is used to strings concatenation
str3 = str1 + str2
print(str3) # Printing the new combined string
输出:
Hello Devansh
解释:
在上面的示例中,变量str1存储字符串”Hello”,变量str2存储字符串”Devansh”。我们使用加号运算符将这两个字符串变量组合起来,并存储在str3中。
使用join()方法
join()方法用于连接字符串,其中str分隔符用于连接序列元素。让我们理解以下示例。
示例
# Python program to
# string concatenation
str1 = "Hello"
str2 = "JavaTpoint"
# join() method is used to combine the strings
print("".join([str1, str2]))
# join() method is used to combine
# the string with a separator Space(" ")
str3 = " ".join([str1, str2])
print(str3)
输出:
HelloJavaTpoint
Hello JavaTpoint
解释:
在上面的代码中,变量str1存储了字符串“Hello”,变量str2存储了“JavaTpoint”。join()方法返回组合的字符串,存储在str1和str2中。join()方法只接受列表作为参数。
使用%运算符
%运算符用于字符串格式化。它也可以用于字符串连接。让我们理解以下示例。
示例
# Python program to demonstrate
# string concatenation
str1 = "Hello"
str2 = "JavaTpoint"
# % Operator is used here to combine the string
print("% s % s" % (str1, str2))
输出:
Hello JavaTpoint
解释 –
在上述代码中,%s代表字符串类型。我们将两个变量的值传递给%s,将字符串合并后返回”Hello JavaTpoint”。
使用format()函数
Python提供了 str.format() 函数,它允许使用多个替换和值的格式化。它接受位置参数并通过位置格式化连接字符串。让我们理解以下示例。
示例
# Python program to show
# string concatenation
str1 = "Hello"
str2 = "JavaTpoint"
# format function is used here to
# concatenate the string
print("{} {}".format(str1, str2))
# store the result in another variable
str3 = "{} {}".format(str1, str2)
print(str3)
输出:
Hello JavaTpoint
Hello JavaTpoint
解释:
在上述代码中,format()函数将两个字符串合并并存储到str3变量中。大括号{}被用作字符串的位置。