列表转换成字符串即:[1, 2, 3] -> 1,2,3
列表转换成字符串大家最先想到的肯定是下面的形式:直接用str()函数。因为这种方式会把list1内部的空格也当做字符串来处理,如果书写不规范,导致内部空格多一个或者少一个,会造成最后结果的错误。所以这种方式不可取!!!
list1 = [1, 2, 3]
ans = str(list1)[1:-1]
print(ans) # '1, 2, 3'
常见的书写形式有以下几种:
1. 用for循环
ans = ""
list1 = [1, 2, 3]
for idx, li in enumerate(list1):
if idx != len(list1) - 1:
ans = ans + str(li) + ","
else:
ans += str(li)
print(ans) # 1,2,3
2. 用map和join函数 (推荐)
使用map函数将list1内部元素转换成字符串格式,然后使用join拼接字符串
list1 = [1, 2, 3]
ans = ",".join(map(str, list1))
print(ans) # 1,2,3