python3实用编程技巧进阶笔记2

2.1 如何拆分拥有多个符号的字符串

# 方法,re.split(),推荐使用很方便,这个就是用正则表达式去匹配字符串里的符号并且将其拆分开来
import re
test_str = 'a//b/$d@p*n^l'
res = re.split('[./$@*^]+', test_str)
print(res)  # ['a', 'b', 'd', 'p', 'n', 'l']

2.2 将多个字符串进行拼接

little_str = ['aa', 'bb', 'cc', 'dd', 'ee']
ingrate_str = ''.join(little_str)
print(ingrate_str) # aabbccddee

2.3 如何将字符串左右居中对齐添加字符

demo = 'jojo'
# 左对齐,可以传递对齐位数参数,如果字符串达不到参数要求就向字符串左增添指定字符
res1 = demo.rjust(5, '*')
# 右对齐,可以传递对齐位数参数,如果字符串达不到参数要求就向字符串右增添指定字符
res2 = demo.ljust(5, '*')
# 居中对齐,可以传递对齐位数参数,如果字符串达不到参数要求就向字符串两边增添指定字符
res3 = demo.center(12, '*')
print(res1) # *jojo
print(res2) # jojo*
print(res3) # ****jojo****

如何替换字符串中的不需要的字符

# 方法1,strip()去掉字符串两端的符号,lstrip()去掉字符串右边的符号,rstrip()去掉字符串左边的符号
string = ' i am spiderman '
res1 = string.strip() # 'i am spiderman'
res2 = string.lstrip() # ' i am spiderman'
res3 = string.rstrip() # 'i am spiderman '

# 方法2,replace(),替换指定符号
res4 = string.replace(' ', '') # 'iamspiderman'

# 方法3,re.sub利用正则表达式来替换字符
res5 = re.sub('\s', '', string) # 'iamspiderman'

你可能感兴趣的:(python)