我正在尝试让我的Python程序遍历我在列表中写入的不需要的字符列表。我希望它使用for函数在字符串中用“_”替换这些字符。
global string
global OddChars
string = "Parenthesis: () Brackets: []"
OddChars = ["[", "]", "(", ")", " "]
for Replace in OddChars:
string = string.replace(Replace, "_")
print (string)
我希望新字符串包含_而不是()[]和空格。 当我尝试这个它不起作用时,它打印出与以前相同的字符串。
答案 0 :(得分:2)
对于此类操作,请使用str.translate
方法。
在Python 2中,我们使用string
模块的maketrans
函数来创建转换表。 (请务必不要覆盖string
模块,我将变量名称string
更改为下面的mystring
。)
>>> import string
>>> my_string = "Parenthesis: () Brackets: []"
>>> OddChars = ["[", "]", "(", ")", " "] # unused, but I could join for below
>>> string.maketrans('[]() ', '_____') # <- 1st arg would be ''.join(OddChars)
'\x00\x01\x02\x03\x04\x05\x06\x07\x08\t\n\x0b\x0c\r\x0e\x0f\x10\x11\x12\x13\x14\x15\x16\x17\x18\x19\x1a\x1b\x1c\x1d\x1e\x1f_!"#$%&\'__*+,-./0123456789:;<=>?@ABCDEFGHIJKLMNOPQRSTUVWXYZ_\\_^_`abcdefghijklmnopqrstuvwxyz{|}~\x7f\x80\x81\x82\x83\x84\x85\x86\x87\x88\x89\x8a\x8b\x8c\x8d\x8e\x8f\x90\x91\x92\x93\x94\x95\x96\x97\x98\x99\x9a\x9b\x9c\x9d\x9e\x9f\xa0\xa1\xa2\xa3\xa4\xa5\xa6\xa7\xa8\xa9\xaa\xab\xac\xad\xae\xaf\xb0\xb1\xb2\xb3\xb4\xb5\xb6\xb7\xb8\xb9\xba\xbb\xbc\xbd\xbe\xbf\xc0\xc1\xc2\xc3\xc4\xc5\xc6\xc7\xc8\xc9\xca\xcb\xcc\xcd\xce\xcf\xd0\xd1\xd2\xd3\xd4\xd5\xd6\xd7\xd8\xd9\xda\xdb\xdc\xdd\xde\xdf\xe0\xe1\xe2\xe3\xe4\xe5\xe6\xe7\xe8\xe9\xea\xeb\xec\xed\xee\xef\xf0\xf1\xf2\xf3\xf4\xf5\xf6\xf7\xf8\xf9\xfa\xfb\xfc\xfd\xfe\xff'
>>> translation_table = string.maketrans('[]() ', '_____')
>>> my_string.translate(translation_table)
'Parenthesis:____Brackets:___'
您可以将其转换为可重复使用的功能:
import string
def replace_chars(my_string, old_chars, new_chars):
translation_table = string.maketrans(old_chars, new_chars)
return my_string.translate(translation_table)
在Python 3中,string
模块没有此功能,它已作为静态方法移动到内置str
(这意味着您可以从str
调用它或字符串的实例,如下面的my_string
:
>>> my_string = "Parenthesis: () Brackets: []"
>>> translation_table = str.maketrans('[]() ', '_____') # str could be my_string
>>> translation_table
{40: 95, 41: 95, 91: 95, 93: 95, 32: 95}
>>> my_string.translate(translation_table)
'Parenthesis:____Brackets:___'
该功能可能如下所示:
def replace_chars(my_string, old_chars, new_chars):
return my_string.translate(str.maketrans(old_chars, new_chars))
答案 1 :(得分:1)
>>> s = "Parenthesis: () Brackets: []"
>>> o = ["[", "]", "(", ")", " "]
>>> "".join(["_" if c in o else c for c in s])
'Parenthesis:____Brackets:___'
答案 2 :(得分:1)
导入重新
OddChar2str = OddChar.join(“| \”)
你的oddchar现在相当于“\(| \)| \ [| \ _”“
replace = re.sub(OddChar2str,'_',string)
答案 3 :(得分:1)
>>> input_string = "Parenthesis: () Brackets: []"
>>> temp_string = ''
>>> odd_chars = ["[", "]", "(", ")", " "]
>>> for odd_char in odd_chars:
... temp_string = input_string.replace(odd_char, "_")
... input_string = temp_string
...
>>> print input_string
Parenthesis:____Brackets:___
我试图纠正你的解决方案。你的逻辑不太正确。在第一次替换之后,你没有在迭代中为其他奇数字符传递更新的字符串。