Python|将一个字符串添加到另一个字符串
两个字符串的连接已经在各种语言中多次讨论过。但是在Python中将一个字符串添加到另一个字符串是相当容易的任务。执行此任务的知识有很多应用。让我们讨论可以执行此操作的某些方式。
方法 #1:使用+= operator
此运算符可用于执行连接字符串的特定任务。这比其他语言中使用的传统方法要简单得多,例如使用专用函数来执行此特定任务。
# Python code to demonstrate
# Adding one string to another
# Using += operator
# initializing string
test_string = "GFG"
# initializing add_string
add_string = " is best"
# printing original string
print("The original string : " + str(test_string))
# printing original add string
print("The add string : " + str(add_string))
# Using += operator
# adding one string to another
test_string += add_string
# print result
print("The concatenated string is : " + test_string)
输出 :
The original string : GFG
The add string : is best
The concatenated string is : GFG is best
方法 #2:使用join()
也可以使用 join函数执行字符串连接这一任务。与上述方法相比,此方法的优势在于当我们有许多字符串要连接而不是只有两个时。
# Python code to demonstrate
# Adding one string to another
# Using join()
# initializing string
test_string = "GFG"
# initializing add_string
add_string = " is best"
# printing original string
print("The original string : " + str(test_string))
# printing original add string
print("The add string : " + str(add_string))
# Using join()
# adding one string to another
res = "".join((test_string, add_string))
# print result
print("The concatenated string is : " + res)
输出 :
The original string : GFG
The add string : is best
The concatenated string is : GFG is best