Python - 리스트를 문자열로 변환

파이썬에서 List의 모든 요소들을 하나의 문자열 객체로 변환하는 방법을 소개합니다.

1. 반복문으로 리스트의 모든 요소들을 하나의 문자열로 변환

for문을 이용하여 리스트의 모든 요소들을 하나의 문자열로 변환하여 리턴하는 함수를 구현할 수 있습니다.

  • listToString(list) 함수는 list의 모든 요소를 하나의 문자열로 합쳐 리턴하는 함수
def listToString(str_list):
    result = ""
    for s in str_list:
        result += s + " "
    return result.strip()


str_list = ['This', 'is', 'a', 'python tutorial']
result = listToString(str_list)
print(result)

Output:

This is a python tutorial

2. String.join()으로 리스트의 모든 요소들을 하나의 문자열로 변환

join()을 이용하면 다음과 같이 리스트를 문자열로 변환할 수 있습니다.

  • char.join(s for s in list)는 리스트의 모든 요소들 간에 char로 연결하여 하나의 문자열로 리턴
str_list = ['This', 'is', 'a', 'python tutorial']
result = ' '.join(s for s in str_list)
print(result)

Output:

This is a python tutorial

join() 함수에 대한 자세한 내용은 "Python - join() 함수, 문자열 합치기"를 참고해주세요.

3. join()으로 숫자가 포함된 리스트를 문자열로 변환

리스트가 문자열로만 구성되어있지 않고 숫자가 포함되었을 때, 위의 코드는 실행 중에 exception이 발생합니다.

해결 방법으로, 아래와 같이 숫자를 문자열로 변환하고, join()을 사용하여 문자열을 연결하면 됩니다.

str_list = ['There', 'is', 4, "items"]
result = ' '.join(str(s) for s in str_list)
print(result)

Output:

There is 4 items

4. map()으로 숫자가 포함된 리스트를 문자열로 변환

다음 코드는 map()을 이용하여 숫자를 문자열로 변환합니다.

str_list = ['There', 'is', 4, "items"]
result = ' '.join(map(str, str_list))
print(result)

Output:

There is 4 items

리스트 컴프리헨션에 대해서 자세히 알고 싶으시다면 "Python - Comprehension 소개 및 예제 (list, set, dict)"를 참고해주세요.

References

Loading script...

Related Posts

codechachaCopyright ©2019 codechacha