[python] 문자열에서 숫자 제거 [닫힘]

문자열에서 숫자를 제거하려면 어떻게해야합니까?



답변

이것이 귀하의 상황에 적합합니까?

>>> s = '12abcd405'
>>> result = ''.join([i for i in s if not i.isdigit()])
>>> result
'abcd'

이것은 목록 이해력을 사용하며 여기에서 일어나는 일은 다음 구조와 유사합니다.

no_digits = []
# Iterate through the string, adding non-numbers to the no_digits list
for i in s:
    if not i.isdigit():
        no_digits.append(i)

# Now join all elements of the list with '', 
# which puts all of the characters together.
result = ''.join(no_digits)

@AshwiniChaudhary와 @KirkStrauser가 지적했듯이 실제로 한 줄에 괄호를 사용할 필요가 없으므로 괄호 안의 부분을 생성기 표현식으로 만듭니다 (목록 이해보다 효율적 임). 이것이 귀하의 과제에 대한 요구 사항에 맞지 않더라도 결국 읽어야 할 것입니다 🙂 :

>>> s = '12abcd405'
>>> result = ''.join(i for i in s if not i.isdigit())
>>> result
'abcd'


답변

그리고 믹스에 던져 넣는 str.translate것은 반복 / 정규식보다 훨씬 빠르게 작동하는 자주 잊혀진 것입니다.

Python 2 :

from string import digits

s = 'abc123def456ghi789zero0'
res = s.translate(None, digits)
# 'abcdefghizero'

Python 3 :

from string import digits

s = 'abc123def456ghi789zero0'
remove_digits = str.maketrans('', '', digits)
res = s.translate(remove_digits)
# 'abcdefghizero'


답변

선생님이 필터 사용을 허용하는지 확실하지 않지만 …

filter(lambda x: x.isalpha(), "a1a2a3s3d4f5fg6h")

보고-

'aaasdffgh'

루핑보다 훨씬 효율적입니다 …

예:

for i in range(10):
  a.replace(str(i),'')


답변

이것에 대해 :

out_string = filter(lambda c: not c.isdigit(), in_string)


답변

몇 개만 (다른 사람들은 이들 중 일부를 제안했습니다)

방법 1 :

''.join(i for i in myStr if not i.isdigit())

방법 2 :

def removeDigits(s):
    answer = []
    for char in s:
        if not char.isdigit():
            answer.append(char)
    return ''.join(char)

방법 3 :

''.join(filter(lambda x: not x.isdigit(), mystr))

방법 4 :

nums = set(map(int, range(10)))
''.join(i for i in mystr if i not in nums)

방법 5 :

''.join(i for i in mystr if ord(i) not in range(48, 58))


답변

st가 형식화되지 않은 문자열이라고 말한 다음 실행하십시오.

st_nodigits=''.join(i for i in st if i.isalpha())

앞에서 말했다시피. 그러나 내 생각에는 매우 간단한 것이 필요하므로 s 는 문자열이고 st_res 는 숫자가없는 문자열 이라고 말하면 여기에 코드가 있습니다.

l = ['0','1','2','3','4','5','6','7','8','9']
st_res=""
for ch in s:
 if ch not in l:
  st_res+=ch


답변

이를 위해 정규식을 사용하고 싶지만 목록, 루프, 함수 등 만 사용할 수 있기 때문에.

여기 내가 생각해 낸 것입니다.

stringWithNumbers="I have 10 bananas for my 5 monkeys!"
stringWithoutNumbers=''.join(c if c not in map(str,range(0,10)) else "" for c in stringWithNumbers)
print(stringWithoutNumbers) #I have  bananas for my  monkeys!