문자열에서 숫자 제거
문자열에서 숫자를 제거하려면 어떻게해야합니까?
이것이 귀하의 상황에 적합합니까?
>>> 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)
Just a few (others have suggested some of these)
Method 1:
''.join(i for i in myStr if not i.isdigit())
Method 2:
def removeDigits(s):
answer = []
for char in s:
if not char.isdigit():
answer.append(char)
return ''.join(char)
Method 3:
''.join(filter(lambda x: not x.isdigit(), mystr))
Method 4:
nums = set(map(int, range(10)))
''.join(i for i in mystr if i not in nums)
Method 5:
''.join(i for i in mystr if ord(i) not in range(48, 58))
I'd love to use regex to accomplish this, but since you can only use lists, loops, functions, etc..
here's what I came up with:
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!
Say st is your unformatted string, then run
st_nodigits=''.join(i for i in st if i.isalpha())
as mentioned above. But my guess that you need something very simple so say s is your string and st_res is a string without digits, then here is your code
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
If i understand your question right, one way to do is break down the string in chars and then check each char in that string using a loop whether it's a string or a number and then if string save it in a variable and then once the loop is finished, display that to the user
참고URL : https://stackoverflow.com/questions/12851791/removing-numbers-from-string
'programing tip' 카테고리의 다른 글
단일 페이지 JavaScript 웹 애플리케이션의 아키텍처? (0) | 2020.08.21 |
---|---|
기본 Docker 레지스트리를 docker.io에서 개인 레지스트리로 변경하는 방법은 무엇입니까? (0) | 2020.08.21 |
json 형식의 키 값 쌍을 기호를 키로 사용하는 루비 해시로 변환하는 가장 좋은 방법은 무엇입니까? (0) | 2020.08.20 |
Z- 색인이 절대 위치에서 작동하지 않음 (0) | 2020.08.20 |
Vim에서 텍스트를 일정 길이로 줄 바꿈하려면 어떻게해야합니까? (0) | 2020.08.20 |