#!/usr/bin/pythonnumbers = [1, 2, 3, 5, 6, 7]clean = numbers.insert(3, 'four')print clean# desire results [1, 2, 3, 'four', 5, 6, 7]我得到“无”。我究竟做错了什么?
3 回答
慕侠2389804
TA贡献1719条经验 获得超6个赞
列表上的变异方法往往会返回None,而不是您期望的修改后的列表-这样的方法通过就地更改列表而不是通过构建并返回新的列表来执行其效果。因此,print numbers而不是print clean会告诉你改变列表。
如果需要保持numbers原样,请先制作副本,然后再更改副本:
clean = list(numbers)
clean.insert(3, 'four')
这具有您似乎想要的总体效果:numbers不变,clean是更改后的列表。
慕运维8079593
TA贡献1876条经验 获得超5个赞
insert方法会在适当位置修改列表,并且不会返回新的引用。尝试:
>>> numbers = [1, 2, 3, 5, 6, 7]
>>> numbers.insert(3, 'four')
>>> print numbers
[1, 2, 3, 'four', 5, 6, 7]
慕斯709654
TA贡献1840条经验 获得超5个赞
a=[1,2,3,4,5]
a.insert(2,"hello world")
print(a)
回答: [1, 2, 'hello world', 3, 4, 5]
如果我用这个
a=[1,2,3,4,5]
print(a,a.insert(2,"hello world"))
回答: [1, 2, 'hello world', 3, 4, 5] None
添加回答
举报
0/150
提交
取消