我是python的初学者,我开始学习python 3而不学习python 2.我正在尝试应用我学到的string.translate()
函数,这在python 3中是不受支持的。
from string import maketrans
intab = "0123456789"
outtab = ""
trantab = maketrans(intab, outtab)
str = "p1y2t3h4o5n6"
print(str.translate(trantab))
运行它会出现以下错误:
Traceback (most recent call last):
File "C:\Users\Nahid\Desktop\test.py", line 1, in <module>
from string import maketrans
ImportError: cannot import name 'maketrans'
我打算将输出设为python
。我怎么能这样做?
答案 0 :(得分:0)
改为使用str.maketrans
静态方法(请注意,您无需导入它)。
答案 1 :(得分:0)
请勿使用名称str
作为字符串变量。它会掩盖内置的str
:
intab = "0123456789"
outtab = intab[::-1]
trantab = str.maketrans(intab, outtab)
mystring = "p1y2t3h4o5n6"
print(mystring.translate(trantab))
输出:
p8y7t6h5o4n3
您的intab
和outtab
必须具有相同的长度。 Python 2中string
的大多数函数在Python 2中暂时成为str
的方法,并在Python 3中作为函数从string
中删除。因此请使用str.maketrans()
。
如果要删除字符串中的字符,可以执行以下操作:
remove = set("0123456789")
mystring = "p1y2t3h4o5n6"
print(''.join(x for x in mystring if x not in remove))
输出:
python
如果你想删除数字,你也可以这样做:
print(''.join(x for x in mystring if not x.isdigit()))
输出:
python
答案 2 :(得分:0)
正如Python 3.x中已经提到的,您需要使用静态方法str.maketrans
。话虽如此,intab
和outtab
必须具有相同的长度。
>>> str = "p1y2t3h4o5n6"
>>> intab = "0123456789"
>>> outtab = " "
>>> trantab = str.maketrans(intab, outtab * len(intab))
>>> print(mystring.translate(trantab).replace(" ", ""))
python
但你也可以使用正则表达式
来做到这一点>>> import re
>>> re.sub(r'[0-9]', '', mystring)
'python'