用Python替换列表中的特殊字符

时间:2018-06-08 09:32:51

标签: python replace special-characters list-comprehension

我正试图摆脱列表中的特殊字符:

file_stuff
['John Smith\n', '\n', 'Gardener\n', '\n', 'Age 27\n', '\n', 'Englishman']

file_stuff_new = [x for x in file_stuff if x != '\n']
file_stuff_new = [x.replace('\n', '') for x in file_stuff_new]
file_stuff_new

['John Smith', 'Gardener', 'Age 27', 'Englishman']

这显然有效。还有其他建议吗?

4 个答案:

答案 0 :(得分:1)

你可以使用strip(),如:

file_stuff = map(lambda s: s.strip(), file_stuff)
print(file_stuff)
// ['John Smith', '', 'Gardener', '', 'Age 27', '', 'Englishman']

如果要从列表中删除空项目,请使用过滤器,例如

file_stuff = filter(None, map(lambda s: s.strip(), file_stuff))

答案 1 :(得分:1)

您正在使用原始字符串文字。

<type>不是换行符,它是一个长度为2的字符串,包含字符“\”和“n”。

r'\n'

否则,您的原始方法(几乎)可以正常工作。

>>> r'\n'
'\\n'
>>> len(r'\n')
2

我们可以过滤掉这样的空字符串:

>>> file_stuff = ['John Smith\n', '\n', 'Gardener\n', '\n', 'Age 27\n', '\n', 'Englishman']
>>> [x.replace('\n', '') for x in file_stuff]
['John Smith', '', 'Gardener', '', 'Age 27', '', 'Englishman']

其中>>> file_stuff = ['John Smith\n', '\n', 'Gardener\n', '\n', 'Age 27\n', '\n', 'Englishman'] >>> no_newline = (x.replace('\n', '') for x in file_stuff) >>> result = [x for x in no_newline if x] >>> result ['John Smith', 'Gardener', 'Age 27', 'Englishman'] 是一个内存高效的生成器,它不构建中间临时列表。

如果您只想从字符串的开头和结尾删除空格和换行符,请考虑使用no_newline方法。

str.strip

这可以缩短为

>>> file_stuff = ['John Smith\n', '\n', 'Gardener\n', '\n', 'Age 27\n', '\n', 'Englishman']
>>> no_newline = (x.strip() for x in file_stuff)
>>> result = [x for x in no_newline if x]
>>> result
['John Smith', 'Gardener', 'Age 27', 'Englishman']

如果你能处理每个字符串调用>>> result = [x.strip() for x in file_stuff if x.strip()] >>> result ['John Smith', 'Gardener', 'Age 27', 'Englishman'] 两次的无效性。

答案 2 :(得分:0)

您可以尝试将列表映射到替换函数

file_stuff = map(lambda x: x.replace("\n", ""), file_stuff)

答案 3 :(得分:0)

这个例子是简单的列表理解,条件为:

>>> stuff = ['John Smith\n', '\n', 'Gardener\n', '\n', 'Age 27\n', '\n', 'Englishman']
>>> pure = [i.strip() for i in stuff if i.strip()]
>>> print(pure)
['John Smith', 'Gardener', 'Age 27', 'Englishman']