如何替换python列表的特定索引处的值?
如果我有清单:
to_modify = [5,4,3,2,1,0]
然后声明另外两个列表:
indexes = [0,1,3,5]replacements = [0,0,0,0]
我怎么可以to_modify
作为指数的元素indexes
,然后设置相应的元素to_modify
来replacements
,即运行后,indexes
应该是[0,0,3,0,1,0]
。
显然,我可以通过for循环来做到这一点:
for ind in to_modify: indexes[to_modify[ind]] = replacements[ind]
但是还有其他方法吗?我可以operator.itemgetter
以某种方式使用吗?
回答:
您的代码最大的问题是它不可读。Python代码规则第一,如果它不可读,没人会花足够长的时间看得出来所有有用的信息。始终使用描述性变量名。几乎没有发现代码中的错误,让我们以好名字,慢动作重播的方式再次来看一下:
to_modify = [5,4,3,2,1,0]indexes = [0,1,3,5]
replacements = [0,0,0,0]
for index in indexes:
to_modify[indexes[index]] = replacements[index]
# to_modify[indexes[index]]
# indexes[index]
# Yo dawg, I heard you liked indexes, so I put an index inside your indexes
# so you can go out of bounds while you go out of bounds.
显而易见,当您使用描述性变量名时,您正在使用自身值对索引列表进行索引,在这种情况下这没有意义。
另外,当并行地遍历2个列表时,我喜欢使用该zip
函数(或者,izip
如果您担心内存消耗,但我不是那些迭代纯粹主义者之一)。所以试试这个。
for (index, replacement) in zip(indexes, replacements): to_modify[index] = replacement
如果您的问题仅适用于数字列表,那么我想说@steabert就是您要查找的有关numpy内容的答案。但是,您不能将序列或其他可变大小的数据类型用作numpy数组的元素,因此,如果您的变量中to_modify
包含类似的内容,则最好使用for循环来实现。
以上是 如何替换python列表的特定索引处的值? 的全部内容, 来源链接: utcz.com/qa/415668.html