티스토리 뷰
Stack Overflow에 자주 검색, 등록되는 문제들과 제가 개발 중 찾아 본 문제들 중에서 나중에도 찾아 볼 것 같은 문제들을 정리하고 있습니다.
Stack Overflow에서 가장 먼저 확인하게 되는 가장 높은 점수를 받은 Solution과 현 시점에 도움이 될 수 있는 가장 최근에 업데이트(최소 점수 확보)된 Solution을 각각 정리하였습니다.
아래 word cloud를 통해 이번 포스팅의 주요 키워드를 미리 확인하세요.
How do I split a list into equally-sized chunks?
리스트를 같은 크기의 청크로 분할하기
문제 내용
How do I split a list of arbitrary length into equal sized chunks?
임의 길이의 리스트를 같은 크기의 청크로 분할하려면 어떻게 해야 합니까?
See How to iterate over a list in chunks if the data result will be used directly for a loop, and does not need to be stored.
데이터 결과를 루프에 직접 사용하고 저장할 필요가 없는 경우 청크 단위로 목록을 반복하는 방법을 참조하십시오.
For the same question with a string input, see Split string every nth character?. The same techniques generally apply, though there are some variations.
문자열 입력과 동일한 질문에 대해서는 문자열 분할 매 n번째 문자를 참조하십시오. 몇 가지 변형이 있지만 일반적으로 동일한 기술이 적용됩니다.
높은 점수를 받은 Solution
Here's a generator that yields evenly-sized chunks:
다음은 균일한 크기의 청크를 생성하는 제너레이터입니다.
def chunks(lst, n):
"""Yield successive n-sized chunks from lst."""
for i in range(0, len(lst), n):
yield lst[i:i + n]
import pprint
pprint.pprint(list(chunks(range(10, 75), 10)))
[[10, 11, 12, 13, 14, 15, 16, 17, 18, 19],
[20, 21, 22, 23, 24, 25, 26, 27, 28, 29],
[30, 31, 32, 33, 34, 35, 36, 37, 38, 39],
[40, 41, 42, 43, 44, 45, 46, 47, 48, 49],
[50, 51, 52, 53, 54, 55, 56, 57, 58, 59],
[60, 61, 62, 63, 64, 65, 66, 67, 68, 69],
[70, 71, 72, 73, 74]]
For Python 2, using xrange
instead of range
:
파이썬 2의 경우 범위 대신 xrange를 사용하면 다음과 같다.
def chunks(lst, n):
"""Yield successive n-sized chunks from lst."""
for i in xrange(0, len(lst), n):
yield lst[i:i + n]
Below is a list comprehension one-liner. The method above is preferable, though, since using named functions makes code easier to understand. For Python 3:
아래는 한줄짜리 코드입니다. 그러나 명명된 함수를 사용하면 코드를 더 쉽게 이해할 수 있기 때문에 위의 방법이 더 바람직하다. Python 3의 경우:
[lst[i:i + n] for i in range(0, len(lst), n)]
For Python 2:
Python 2의 경우:
[lst[i:i + n] for i in xrange(0, len(lst), n)]
가장 최근 달린 Solution
An abstraction would be
추상화는 다음과 같다.
l = [1,2,3,4,5,6,7,8,9]
n = 3
outList = []
for i in range(n, len(l) + n, n):
outList.append(l[i-n:i])
print(outList)
This will print:
인쇄됩니다.
[[1, 2, 3], [4, 5, 6], [7, 8, 9]]
출처 : https://stackoverflow.com/questions/312443/how-do-i-split-a-list-into-equally-sized-chunks
'개발 > 파이썬' 카테고리의 다른 글
값 기준으로 Dictionary 정렬하기 (0) | 2022.12.02 |
---|---|
리스트의 마지막 아이템을 가져오는 가장 효과적인 방법 (0) | 2022.12.02 |
Python List의 append()와 extend()의 차이점 (0) | 2022.12.02 |
Pandas 데이터 프레임에서 열 삭제하기 (0) | 2022.12.01 |
파일을 한 줄씩 리스트로 읽어들이는 방법 (0) | 2022.12.01 |