답변:
"2.7.0_bf4fda703454".split("_")
문자열 목록을 제공합니다.
In [1]: "2.7.0_bf4fda703454".split("_")
Out[1]: ['2.7.0', 'bf4fda703454']
이것은 모든 밑줄 에서 문자열을 분할합니다 . 첫 번째 분할 후 중지하려면을 사용하십시오 "2.7.0_bf4fda703454".split("_", 1)
.
문자열에 밑줄이 포함되어 있다는 사실을 알고 있다면 LHS와 RHS를 별도의 변수로 풀 수도 있습니다.
In [8]: lhs, rhs = "2.7.0_bf4fda703454".split("_", 1)
In [9]: lhs
Out[9]: '2.7.0'
In [10]: rhs
Out[10]: 'bf4fda703454'
대안은를 사용하는 것 partition()
입니다. 사용법은 두 개 대신 세 개의 구성 요소를 반환한다는 점을 제외하면 마지막 예와 유사합니다. 주요 이점은 문자열에 구분 기호가 포함되어 있지 않아도이 메서드가 실패하지 않는다는 것입니다.
공백에서 문자열을 분할하고, 목록을 가져오고, 유형을 표시하고, 출력합니다.
el@apollo:~/foo$ python
>>> mystring = "What does the fox say?"
>>> mylist = mystring.split(" ")
>>> print type(mylist)
<type 'list'>
>>> print mylist
['What', 'does', 'the', 'fox', 'say?']
나란히 두 개의 구분 기호가있는 경우 빈 문자열로 간주됩니다.
el@apollo:~/foo$ python
>>> mystring = "its so fluffy im gonna DIE!!!"
>>> print mystring.split(" ")
['its', '', 'so', '', '', 'fluffy', '', '', 'im', 'gonna', '', '', '', 'DIE!!!']
밑줄로 문자열을 분할하고 목록에서 다섯 번째 항목을 가져옵니다.
el@apollo:~/foo$ python
>>> mystring = "Time_to_fire_up_Kowalski's_Nuclear_reactor."
>>> mystring.split("_")[4]
"Kowalski's"
여러 공간을 하나로 축소
el@apollo:~/foo$ python
>>> mystring = 'collapse these spaces'
>>> mycollapsedstring = ' '.join(mystring.split())
>>> print mycollapsedstring.split(' ')
['collapse', 'these', 'spaces']
Python의 split 메소드에 매개 변수를 전달하지 않으면 문서에 "연속적인 공백의 실행은 단일 구분자로 간주되며 문자열에 선행 또는 후행 공백이있는 경우 결과는 시작 또는 끝에 빈 문자열이 포함되지 않습니다"라고 말합니다.
모자 소년을 붙잡고 정규 표현식을 구문 분석하십시오.
el@apollo:~/foo$ python
>>> mystring = 'zzzzzzabczzzzzzdefzzzzzzzzzghizzzzzzzzzzzz'
>>> import re
>>> mylist = re.split("[a-m]+", mystring)
>>> print mylist
['zzzzzz', 'zzzzzz', 'zzzzzzzzz', 'zzzzzzzzzzzz']
정규 표현식 "[AM] +"수단 소문자가 a
관통 m
하는 하나 이상의 시간 구분자로 일치 일어난다. re
가져올 라이브러리입니다.
또는 항목을 한 번에 하나씩 자르려면 :
el@apollo:~/foo$ python
>>> mystring = "theres coffee in that nebula"
>>> mytuple = mystring.partition(" ")
>>> print type(mytuple)
<type 'tuple'>
>>> print mytuple
('theres', ' ', 'coffee in that nebula')
>>> print mytuple[0]
theres
>>> print mytuple[2]
coffee in that nebula
partition
문자열의 방법을 읽은 다음 질문을 업데이트하십시오.