본문 바로가기

Python_Matter/[Check_IO]Home

Split List

반응형

Quiz>

You have to split a given array into two arrays. 

If it has an odd amount of elements, then the first array should have more elements. 

If it has no elements, then two empty arrays should be returned.

 

example

 

Input:

Array.

 

Output:

Array or two arrays.

 

Example:

split_list([1, 2, 3, 4, 5, 6]) == [[1, 2, 3], [4, 5, 6]]
split_list([1, 2, 3]) == [[1, 2], [3]]

 

def split_list(items: list) -> list:
    # your code here
    return [items]


if __name__ == '__main__':
    print("Example:")
    print(split_list([1, 2, 3, 4, 5, 6]))

    # These "asserts" are used for self-checking and not for an auto-testing
    assert split_list([1, 2, 3, 4, 5, 6]) == [[1, 2, 3], [4, 5, 6]]
    assert split_list([1, 2, 3]) == [[1, 2], [3]]
    assert split_list([1, 2, 3, 4, 5]) == [[1, 2, 3], [4, 5]]
    assert split_list([1]) == [[1], []]
    assert split_list([]) == [[], []]
    print("Coding complete? Click 'Check' to earn cool rewards!")

 

Solve>

1. 나눌 인덱스 번호를 구하기 위해서 items에 원소갯수를 2로 나눈 나머지에 2를 더하고 다시 원소갯수로 나눈 

   몫을 가져온다.

def split_list(items: list):
    item_index_number = len(items) // 2 + len(items) % 2

 

2. 그렇게 구한 인덱스 번호를 슬라이싱을 통해서 가져와서 반환한다.

def split_list(items: list):
    return [items[:item_index_number], items[item_index_number:]]

 

Code>

def split_list(items: list):
    item_index_number = len(items) // 2 + len(items) % 2
    return [items[:item_index_number], items[item_index_number:]]

 

Example>

if __name__ == '__main__':
    print("Example:")
    print(split_list([1, 2, 3, 4, 5, 6]))

    # These "asserts" are used for self-checking and not for an auto-testing
    assert split_list([1, 2, 3, 4, 5, 6]) == [[1, 2, 3], [4, 5, 6]]
    assert split_list([1, 2, 3]) == [[1, 2], [3]]
    assert split_list([1, 2, 3, 4, 5]) == [[1, 2, 3], [4, 5]]
    assert split_list([1]) == [[1], []]
    assert split_list([]) == [[], []]
    print("Coding complete? Click 'Check' to earn cool rewards!")

 

Result>

Example:

[[1, 2, 3], [4, 5, 6]]

Coding complete? Click 'Check' to earn cool rewards!

반응형

'Python_Matter > [Check_IO]Home' 카테고리의 다른 글

Right to Left  (0) 2020.04.14
Even the Last  (0) 2020.04.12
Sum Numbers  (0) 2020.04.12
First Word  (0) 2020.04.12
Between Markers  (0) 2020.04.12