一、str.split(sep,maxsplit)函数(返回列表)
sep:分隔符
maxsplit:分割次数
a="Hello world"
list1=a.split(" ",1)
print(list1)
结果:
['Hello', 'world']
二、str.rsplit(sep,maxsplit)函数(从右边开始分割,返回列表)
sep:分隔符
maxsplit:分割次数
a="Hello world"
list2=a.rsplit(" ",1)
print(list2)
结果:
['Hello', 'world']
三、str.partition(sep)函数(分成“分隔符前”“分隔符”“分隔符后”三部分,返回元组)
sep:分隔符
a="Hello world"
tuple1=a.partition(" ")
print(tuple1)
结果:
('Hello', ' ', 'world')
四、str.rpartition (sep)函数(从右开始分成“分隔符前”“分隔符”“分隔符后”三部分,返回元组)
sep:分隔符
a="Hello world"
tuple1=a.rpartition(" ")
print(tuple1)
结果:
('Hello', ' ', 'world')
五、使用正则表达式
格式:
import re
re.split(pattern,string,maxsplit,flags)
(返回列表)
pattern
:正则表达式模式。
string
:待分割的字符串。
maxsplit
:最大分割次数,默认为0(表示不限制分割次数)。
flags
:正则表达式标志,用于控制正则表达式的匹配方式(如:忽略大小写、多行匹配等)。
使用:
1.多个分隔符(使用列表放置分隔符)
import re
a="one;two;three;four;five"
list1=re.split(r";",a)#一个分隔符
print(list1)
list2=re.split(r"[;!]",a)#多个分隔符
print(list2)
结果:
['one', 'two', 'three', 'four', 'five']
['one', 'two', 'three', 'four', 'five']
2.保留分隔符(用()将分隔符括起来)
import re
a="one;two;three!four;five"
list1=re.split(r"([;!])",a)
print(list1)
结果:
['one', ';', 'two', ';', 'three', '!', 'four', ';', 'five']
3.限制分割次数(maxsplit=)
import re
a="one;two;three!four;five"
list1=re.split(r";",a,maxsplit=2)
print(list1)
结果:
['one', 'two', 'three!four;five']
六、str.splitlines()函数(根据换行符分割字符串,返回列表)
a="Hello\nworld\nThis is a test."
list1= a.splitlines()
print(list1)
结果:
['Hello', 'world', 'This is a test.']