# 将字符串中的每个元素,按照指定分隔符进行拼接
# 空格 、# 、_ 等等 不能是反斜杠
test = '你是风儿我是沙'
ret = '#'.join(test)
print(ret)
你#是#风#儿#我#是#沙
去除字符串两边的空格 | \t | \n
# 去除字符串左右两边的空格
test = ' alex '
ret = test.strip()
print(ret)
alex 后边有空格
test.lstrip()不带参数默认去除空格 \t \n 等,如果加参数
如果lstrip 有参数,表示从字符串左边去掉包含的字符
test = 'alex'
ret = test.strip('ax')
print(ret)
le
ps:strip('ax') 会一个个字符去匹配 ,上面例子。 优先最多的先匹配
字符串分割,判断的字符是从开始检索的第一个,并且是3部分 partition()
# 字符串分割,包含判断的字符,并且是3部分
test = 'xalelx'
ret = test.partition('l')
print(ret)
('xa', 'l', 'elx')
# rpartition 是从最后一位开始查找,找到并分为3部分
# rpartition 是从最后一位开始查找,找到并分为3部分
test = 'xalelx'
ret = test.rpartition('l')
print(ret)
('xale', 'l', 'x')
split() 字符串分割,不包含判断的字符 。参数的意义: split('l',2) 第二个参数表示要查找几次(默认全部找)
test = 'xalelxlelelelele'
ret = test.split('l')
print(ret)
['xa', 'e', 'x', 'e', 'e', 'e', 'e', 'e']
查找两次
test = 'xalelxlelelelele'
ret = test.split('l',2)
print(ret)
['xa', 'e', 'xlelelelele']
替换字符串中的字符 replace()
test = 'alex'
ret = test.replace('ex','abc')
print(ret)
alabc
ret = test.replace('ex','abc',2) 后面的参数 2表示要替换多少个,1就是替换一个,2就是替换2个
test = 'alexex'
ret = test.replace('ex','abc',2)
print(ret)
alabcabc
range(0,100,5)
输出0到99 之间 步长为5的值
test = range(0,100,5)
for i in test:
print(i)
0
5
10
15
20
25
30
35
40
45
50
55
60
65
70
75
80
85
90
95