我正在用Python Book自动化那些无聊的东西,我在139页。我必须编写一个程序,在每一行前面添加一个'*‘。然而,我的for循环在这里似乎不起作用。
rawtextlist = [
'list of interesting shows',
'list of nice foods',
'list of amazing sights'
]
for item in rawtextlist:
item = '*' + item
我的输出如下所示。在使用上面的代码时,我在每行前面缺少'*‘字符。
list of interesting shows
list of nice foods
list of amazing sights
书中提供的答案就是这样的。
for i in range(len(rawtextlist)):
rawtextlist[i] = '*' + rawtextlist[i]
该程序只适用于书中提供的答案,而不适用于我的for循环。任何帮助都将不胜感激!
发布于 2018-11-07 14:13:54
这里:
item = whatever_happens_doesnt_matter()
item
承载的引用是在第一种情况下创建并丢弃的,并且与原始列表中的引用不同(重新分配了变量名)。而且没有办法让它工作,因为字符串无论如何都是不可变的。
这就是为什么这本书必须使用非assign风格的for .. range
并对原始列表结构进行索引,以确保分配回正确的字符串引用。太可怕了。
一种更好、更有pythonic风格的方法是使用列表理解来重建列表:
rawtextlist = ['*'+x for x in rawtextlist]
有关列表理解方法的更多信息,请参阅:Appending the same string to a list of strings in Python
发布于 2018-11-07 14:24:37
在for循环中声明的参数item
是一个新变量,它每次都保存一个数组中下一个字符串的引用。
实际上,您在循环中所做的是将变量item
重新定义为指向一个新的临时字符串,而这并不是您想要的(您不需要更改列表中的字符串,您只需创建新的字符串并将其保存到变量)。
您可以使用提供的程序,或者使用更新后的字符串创建新的列表,如下所示:
new_list = []
for item in rawtextlist:
new_list.append('*' + item)
print(new_list)
或者在一行解决方案中:
new_list = ['*' + item for item in rawtextlist]
print(new_list)
此外,字符串是不可变的,因此我建议您查看以下问题和答案:Aren't Python strings immutable? Then why does a + " " + b work?
https://stackoverflow.com/questions/53191158
复制