나는 다음과 같은 형식의 많은 단어 목록을 가져와야합니다.
['this\n', 'is\n', 'a\n', 'list\n', 'of\n', 'words\n']
스트립 기능을 사용하여 다음과 같이 변경하십시오.
['this', 'is', 'a', 'list', 'of', 'words']
내가 작성한 내용이 작동 할 것이라고 생각했지만 다음과 같은 오류가 계속 발생합니다.
” ‘list’개체에 ‘strip’속성이 없습니다.”
내가 시도한 코드는 다음과 같습니다.
strip_list = []
for lengths in range(1,20):
strip_list.append(0) #longest word in the text file is 20 characters long
for a in lines:
strip_list.append(lines[a].strip())
답변
>>> my_list = ['this\n', 'is\n', 'a\n', 'list\n', 'of\n', 'words\n']
>>> map(str.strip, my_list)
['this', 'is', 'a', 'list', 'of', 'words']
답변
목록 이해력?
[x.strip() for x in lst]
답변
목록 이해력을 사용할 수 있습니다 .
strip_list = [item.strip() for item in lines]
또는 map
기능 :
# with a lambda
strip_list = map(lambda it: it.strip(), lines)
# without a lambda
strip_list = map(str.strip, lines)
답변
이것은 PEP 202에 정의 된 목록 이해를 사용하여 수행 할 수 있습니다.
[w.strip() for w in ['this\n', 'is\n', 'a\n', 'list\n', 'of\n', 'words\n']]
답변
다른 모든 답변과 주로 목록 이해에 관한 답변은 훌륭합니다. 그러나 귀하의 오류를 설명하기 위해 :
strip_list = []
for lengths in range(1,20):
strip_list.append(0) #longest word in the text file is 20 characters long
for a in lines:
strip_list.append(lines[a].strip())
a
색인이 아닌 목록의 구성원입니다. 작성할 수있는 것은 다음과 같습니다.
[...]
for a in lines:
strip_list.append(a.strip())
또 다른 중요한 설명 : 다음과 같이 빈 목록을 만들 수 있습니다.
strip_list = [0] * 20
그러나 이것은 목록에 항목 을 .append
추가 하므로 유용하지 않습니다 . 귀하의 경우에는 제거 된 문자열을 추가 할 때 항목별로 항목을 작성하므로 기본 값으로 목록을 만드는 것은 유용하지 않습니다.
따라서 코드는 다음과 같아야합니다.
strip_list = []
for a in lines:
strip_list.append(a.strip())
그러나 확실히 가장 좋은 것은 이것입니다. 이것은 정확히 똑같은 것입니다.
stripped = [line.strip() for line in lines]
단순한 것보다 더 복잡한 것이 있다면 .strip
이것을 함수에 넣고 똑같이하십시오. 이것이 목록 작업에 가장 읽기 쉬운 방법입니다.
답변
후행 공백 만 제거해야하는 경우를 사용할 수 있습니다 str.rstrip()
. 이는 다음보다 약간 더 효율적입니다 str.strip()
.
>>> lst = ['this\n', 'is\n', 'a\n', 'list\n', 'of\n', 'words\n']
>>> [x.rstrip() for x in lst]
['this', 'is', 'a', 'list', 'of', 'words']
>>> list(map(str.rstrip, lst))
['this', 'is', 'a', 'list', 'of', 'words']
답변
my_list = ['this\n', 'is\n', 'a\n', 'list\n', 'of\n', 'words\n']
print([l.strip() for l in my_list])
산출:
['this', 'is', 'a', 'list', 'of', 'words']