拆分一个字符串,将其反转并在 Python 中将其连接回去
Split a string, reverse it and join it back in Python
要拆分字符串,将其反转并重新连接:
- 使用
str.split()
方法将字符串拆分为列表。 - 使用该
list.reverse()
方法反转列表的元素。 - 使用该
str.join()
方法将列表连接成一个字符串。
主程序
my_str = 'one two three four' my_list = my_str.split(' ') print(my_list) # 👉️ ['one', 'two', 'three', 'four'] my_list.reverse() print(my_list) # 👉️ ['four', 'three', 'two', 'one'] my_str_again = ' '.join(my_list) print(my_str_again) # 👉️ four three two one
第一步是使用该str.split()
方法将字符串拆分为列表。
我们使用空格作为分隔符,但您可以使用任何其他分隔符(例如逗号或连字符)。
str.split ()
方法使用定界符将字符串拆分为子字符串列表。
主程序
my_str = 'one two three four' my_list = my_str.split(' ') print(my_list) # 👉️ ['one', 'two', 'three', 'four']
该方法采用以下 2 个参数:
姓名 | 描述 |
---|---|
分隔器 | 在每次出现分隔符时将字符串拆分为子字符串 |
最大分裂 | 最多maxsplit 完成拆分(可选) |
下一步是使用该list.reverse()
方法反转列表的元素。
主程序
my_str = 'one two three four' my_list = my_str.split(' ') print(my_list) # 👉️ ['one', 'two', 'three', 'four'] my_list.reverse() print(my_list) # 👉️ ['four', 'three', 'two', 'one']
list.reverse
()
方法原地反转列表的元素。
该方法返回None
,因为它改变了原始列表。
如果您不想就地改变原始列表,请使用带有step
of的列表切片语法-1
。
主程序
my_str = 'one two three four' my_list = my_str.split(' ') print(my_list) # 👉️ ['one', 'two', 'three', 'four'] reversed_list = my_list[::-1] print(reversed_list) # 👉️ ['four', 'three', 'two', 'one'] print(my_list) # 👉️ ['one', 'two', 'three', 'four']
我们没有为start
and指定值stop
,但指定-1
了 forstep
以获得新的反向列表。
最后一步是使用该str.join()
方法将反向列表连接成一个字符串。
主程序
my_str = 'one two three four' my_list = my_str.split(' ') print(my_list) # 👉️ ['one', 'two', 'three', 'four'] my_list.reverse() print(my_list) # 👉️ ['four', 'three', 'two', 'one'] my_str_again = ' '.join(my_list) print(my_str_again) # 👉️ four three two one
str.join方法将一个可迭代对象作为参数并返回一个字符串,该字符串是可迭代对象中字符串的串联。
我们使用空格分隔符加入列表,但您可以使用任何其他分隔符。
主程序
my_str = 'one two three four' my_list = my_str.split(' ') print(my_list) # 👉️ ['one', 'two', 'three', 'four'] my_list.reverse() print(my_list) # 👉️ ['four', 'three', 'two', 'one'] my_str_again = ','.join(my_list) print(my_str_again) # 👉️ four,three,two,one
如果您不需要分隔符而只想将列表的元素连接到一个字符串中,请在join()
空字符串上调用该方法。
主程序
my_str = 'one two three four' my_list = my_str.split(' ') print(my_list) # 👉️ ['one', 'two', 'three', 'four'] my_list.reverse() print(my_list) # 👉️ ['four', 'three', 'two', 'one'] my_str_again = ''.join(my_list) print(my_str_again) # 👉️ fourthreetwoone