[python] 공백을 자르려면 어떻게합니까?

문자열에서 공백 (공백 및 탭)을 자르는 Python 함수가 있습니까?

예 : \t example string\texample string



답변

양쪽에 공백 :

s = "  \t a string example\t  "
s = s.strip()

오른쪽의 공백 :

s = s.rstrip()

왼쪽의 공백 :

s = s.lstrip()

으로 thedz는 지적,이 같은 이러한 기능 중 하나에 임의의 문자를 제거하기 위해 인수를 제공 할 수 있습니다 :

s = s.strip(' \t\n\r')

이 모든 공간을 제거합니다, \t, \n, 또는 \r왼쪽의 문자, 오른쪽, 또는 문자열의 양쪽.

위의 예제는 문자열의 왼쪽과 오른쪽에서만 문자열을 제거합니다. 문자열 중간에서 문자를 제거하려면 re.sub다음을 시도하십시오 .

import re
print re.sub('[\s+]', '', s)

인쇄해야합니다.

astringexample


답변

파이썬 trim메소드는 strip다음과 같습니다.

str.strip() #trim
str.lstrip() #ltrim
str.rstrip() #rtrim


답변

선행 및 후행 공백의 경우 :

s = '   foo    \t   '
print s.strip() # prints "foo"

그렇지 않으면 정규 표현식이 작동합니다.

import re
pat = re.compile(r'\s+')
s = '  \t  foo   \t   bar \t  '
print pat.sub('', s) # prints "foobar"


답변

매우 간단하고 기본적인 함수 인 str.replace () 를 사용할 수 있으며 공백 및 탭과 함께 작동합니다.

>>> whitespaces = "   abcd ef gh ijkl       "
>>> tabs = "        abcde       fgh        ijkl"

>>> print whitespaces.replace(" ", "")
abcdefghijkl
>>> print tabs.replace(" ", "")
abcdefghijkl

간단하고 쉽습니다.


답변

#how to trim a multi line string or a file

s=""" line one
\tline two\t
line three """

#line1 starts with a space, #2 starts and ends with a tab, #3 ends with a space.

s1=s.splitlines()
print s1
[' line one', '\tline two\t', 'line three ']

print [i.strip() for i in s1]
['line one', 'line two', 'line three']




#more details:

#we could also have used a forloop from the begining:
for line in s.splitlines():
    line=line.strip()
    process(line)

#we could also be reading a file line by line.. e.g. my_file=open(filename), or with open(filename) as myfile:
for line in my_file:
    line=line.strip()
    process(line)

#moot point: note splitlines() removed the newline characters, we can keep them by passing True:
#although split() will then remove them anyway..
s2=s.splitlines(True)
print s2
[' line one\n', '\tline two\t\n', 'line three ']


답변

아직이 정규식 솔루션을 게시 한 사람이 없습니다.

어울리는:

>>> import re
>>> p=re.compile('\\s*(.*\\S)?\\s*')

>>> m=p.match('  \t blah ')
>>> m.group(1)
'blah'

>>> m=p.match('  \tbl ah  \t ')
>>> m.group(1)
'bl ah'

>>> m=p.match('  \t  ')
>>> print m.group(1)
None

검색 중 ( “공백 만”입력 케이스를 다르게 처리해야 함) :

>>> p1=re.compile('\\S.*\\S')

>>> m=p1.search('  \tblah  \t ')
>>> m.group()
'blah'

>>> m=p1.search('  \tbl ah  \t ')
>>> m.group()
'bl ah'

>>> m=p1.search('  \t  ')
>>> m.group()
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: 'NoneType' object has no attribute 'group'

을 사용 re.sub하면 내부 공백을 제거 할 수 있으며 이는 바람직하지 않을 수 있습니다.


답변

공백은 공백, 탭 및 CRLF를 포함 합니다 . 따라서 사용할 수있는 우아하고 한 줄짜리 문자열 함수는 translate 입니다.

' hello apple'.translate(None, ' \n\t\r')

또는 철저하고 싶다면

import string
' hello  apple'.translate(None, string.whitespace)