实际案例:
- 过滤掉用户输入前后多余的空白字符:' nick2008@gmail.com '
- 过滤某windows下编辑文本中的'\r':'hello world\r\n'
- 去掉文件中的unicode组合符号(音调):
解决方案:
- 字符串strip(),lstrp(),rstrip()方法去掉字符串两端字符.
- 删除单个固定位置的字符,可以使用切片 + 拼接的方式.
- 字符串的replace()方法或正则表达式re.sub()删除任意位置字符
- 字符串translate()方法,可以同时删除多个不同字符
strip只能去除开头和结尾的字符
s = '---abc+++'
s.strip('+-')
切片只能去除单个固定位置的字符
s1 = 'abc:123'
s1[:3] + s1[4:]
replace只能去除所有单个字符
s2 = '\tabc\t123\tzvd'
s2.replace('\t','')
正则表达式可以去除不同字符
s3 = '\tabc\t123\txyz\ropq'
import re
re.sub('[\t\r]',''.s3)
translate
s4 = 'abc1230323xyz'
s4.translate(str.maketrans('abcxyz','xyzabc'))
输出结果:
xyz1230323abc
#!/usr/bin/python3
import sys
import unicodedata
s = "Zhào Qián Sūn Lǐ Zhōu Wú Zhèng Wáng"
remap = {
# ord返回ascii值
ord('\t'): '',
ord('\f'): '',
ord('\r'): None
}
# 去除\t, \f, \r
a = s.translate(remap)
'''
通过使用dict.fromkeys() 方法构造一个字典,每个Unicode 和音符作为键,对于的值全部为None
然后使用unicodedata.normalize() 将原始输入标准化为分解形式字符
sys.maxunicode : 给出最大Unicode代码点的值的整数,即1114111(十六进制的0x10FFFF)。
unicodedata.combining:将分配给字符chr的规范组合类作为整数返回。 如果未定义组合类,则返回0。
'''
cmb_chrs = dict.fromkeys(c for c in range(sys.maxunicode) if unicodedata.combining(chr(c))) #此部分建议拆分开来理解
b = unicodedata.normalize('NFD', a)
'''
调用translate 函数删除所有重音符
'''
print(b.translate(cmb_chrs))
网友评论