itsource

문자열에서 선행 및 후행 0을 제거하는 방법은 무엇입니까?파이썬

mycopycode 2023. 6. 11. 10:39
반응형

문자열에서 선행 및 후행 0을 제거하는 방법은 무엇입니까?파이썬

이와 같은 영숫자 문자열이 여러 개 있습니다.

listOfNum = ['000231512-n','1209123100000-n00000','alphanumeric0000', '000alphanumeric']

후행 0을 제거하는 데 필요한 출력은 다음과 같습니다.

listOfNum = ['000231512-n','1209123100000-n','alphanumeric', '000alphanumeric']

선행 후행 0에 대한 원하는 출력은 다음과 같습니다.

listOfNum = ['231512-n','1209123100000-n00000','alphanumeric0000', 'alphanumeric']

선행 0과 후행 0을 모두 제거하기 위한 원하는 출력은 다음과 같습니다.

listOfNum = ['231512-n','1209123100000-n', 'alphanumeric', 'alphanumeric']

지금은 다음과 같은 방법으로 진행하고 있습니다. 가능하다면 더 좋은 방법을 제안해 주십시오.

listOfNum = ['000231512-n','1209123100000-n00000','alphanumeric0000', \
'000alphanumeric']
trailingremoved = []
leadingremoved = []
bothremoved = []

# Remove trailing
for i in listOfNum:
  while i[-1] == "0":
    i = i[:-1]
  trailingremoved.append(i)

# Remove leading
for i in listOfNum:
  while i[0] == "0":
    i = i[1:]
  leadingremoved.append(i)

# Remove both
for i in listOfNum:
  while i[0] == "0":
    i = i[1:]
  while i[-1] == "0":
    i = i[:-1]
  bothremoved.append(i)

기본적인 것은 어떻습니까?

your_string.strip("0")

후행 0과 선행 0을 모두 제거하시겠습니까?후행 0만 제거하려는 경우.rstrip대신에 (그리고).lstrip선두 그룹만 해당).

자세한 내용은 문서를 참조하십시오.

목록 이해를 사용하여 원하는 시퀀스를 얻을 수 있습니다.

trailing_removed = [s.rstrip("0") for s in listOfNum]
leading_removed = [s.lstrip("0") for s in listOfNum]
both_removed = [s.strip("0") for s in listOfNum]

선행 + 후행 제거'0':

list = [i.strip('0') for i in list_of_num]

선행 제거'0':

list = [i.lstrip('0') for i in list_of_num]

후행 제거'0':

list = [i.rstrip('0') for i in list_of_num]

당신은 간단히 부울로 이것을 할 수 있습니다.

if int(number) == float(number):   
    number = int(number)   
else:   
    number = float(number)

스트립()사용해 보셨습니까?

listOfNum = ['231512-n','1209123100000-n00000','alphanumeric0000', 'alphanumeric']
print [item.strip('0') for item in listOfNum]

>>> ['231512-n', '1209123100000-n', 'alphanumeric', 'alphanumeric']

목록에 다른 데이터 유형(문자열뿐만 아니라)이 있다고 가정하면 이를 시도해 보십시오.이렇게 하면 문자열에서 후행 및 선행 0이 제거되고 다른 데이터 유형은 그대로 유지됩니다.또한 특수한 경우 = '0'도 처리합니다.

a = ['001', '200', 'akdl00', 200, 100, '0']

b = [(lambda x: x.strip('0') if isinstance(x,str) and len(x) != 1 else x)(x) for x in a]

b
>>>['1', '2', 'akdl', 200, 100, '0']

pandas또한 편리한 방법을 제안합니다.

listOfNum = pd.Series(['000231512-n','1209123100000-n00000','alphanumeric0000', '000alphanumeric'])

listOfNum.str.strip("0")
listOfNum.str.ltrip("0")
listOfNum.str.rtrip("0")

예를 들어, 첫 번째 것은 다음과 같습니다.

0           231512-n
1    1209123100000-n
2       alphanumeric
3       alphanumeric
dtype: object

이것은 작업할 때 더 편리할 수 있습니다.DataFrames

str.strip는 이러한 상황에 가장 적합한 접근 방식이지만 반복 가능한 요소에서 선행 및 후행 요소를 모두 제거하는 일반적인 솔루션이기도 합니다.

코드

import more_itertools as mit


iterables = ["231512-n\n","  12091231000-n00000","alphanum0000", "00alphanum"]
pred = lambda x: x in {"0", "\n", " "}
list("".join(mit.strip(i, pred)) for i in iterables)
# ['231512-n', '12091231000-n', 'alphanum', 'alphanum']

세부 사항

자, 여기서 선두와 뒤를 모두 벗겨냅니다."0"s는 술어를 만족시키는 다른 요소들 중에서.이 도구는 문자열로 제한되지 않습니다.

자세한 내용은 문서 참조

more_itertools 를 통해 설치할 수 있는 타사 라이브러리입니다.> pip install more_itertools.

언급URL : https://stackoverflow.com/questions/13142347/how-to-remove-leading-and-trailing-zeros-in-a-string-python

반응형