I'm taking this online Python course他们不喜欢使用单行解决方案的学生。该课程不接受此解决方案的括号。
我已经使用列表理解解决了问题,但课程拒绝了我的答案。
问题是:
使用
index
和其他列表方法,编写一个函数replace(list, X, Y)
,用X
替换list
中Y
的所有出现位置。例如,如果L = [3, 1, 4, 1, 5, 9]
,则replace(L, 1, 7)
会将L
的内容更改为[3, 7, 4, 7, 5, 9]
。要使此练习成为一项挑战,您将无法使用[]
。注意:您不需要使用return。
这是我到目前为止所做的,但由于TypeError而中断:'int'对象不可迭代。
list = [3, 1, 4, 1, 5, 9]
def replace(list, X, Y):
while X in list:
for i,v in range(len(list)):
if v==1:
list.remove(1)
list.insert(i, 7)
replace(list, 1, 7)
这是我的原始答案,但遭到拒绝。
list = [3, 1, 4, 1, 5, 9]
def replace(list, X, Y):
print([Y if v == X else v for v in list])
replace(list, 1, 7)
关于如何修复我的更长解决方案的任何想法?
答案 0 :(得分:8)
range()
返回一个整数的平面列表,因此您无法将其解压缩为两个参数。使用enumerate
获取索引和值元组:
def replace(l, X, Y):
for i,v in enumerate(l):
if v == X:
l.pop(i)
l.insert(i, Y)
l = [3, 1, 4, 1, 5, 9]
replace(l, 1, 7)
如果您不允许使用enumerate
,请使用普通的旧计数器:
def replace(l, X, Y):
i = 0
for v in l:
if v == X:
l.pop(i)
l.insert(i, Y)
i += 1
l = [3, 1, 4, 1, 5, 9]
replace(list, 1, 7)
最后,您可以使用问题的作者可能正在寻找的内容(即使这是最低效的方法,因为它在每次迭代时都会在列表中进行线性搜索):
def replace(l, X, Y):
for v in l:
i = l.index(v)
if v == X:
l.pop(i)
l.insert(i, Y)
l = [3, 1, 4, 1, 5, 9]
replace(l, 1, 7)
答案 1 :(得分:3)
您也可以尝试此操作(根据需要不使用[]
或enumerate()
):
for i in range(len(l)): # loop over indices
if l.__index__(i) == X: # i.e. l[i] == X
l.__setitem__(i, Y) # i.e. l[i] = Y
这可能不是作业要求你做的,但我会把它留在这里用于学习目的。
注意:您不应该使用list
作为变量名,因为内置函数已经使用过它。我在这里使用了l
。
答案 2 :(得分:2)
如果不允许enumerate
,您还可以使用while
循环。
>>> def replace(L_in, old_v, new_v):
while old_v in L_in:
idx=L_in.index(old_v)
L_in.pop(idx)
L_in.insert(idx, new_v)
>>> L = [3, 1, 4, 1, 5, 9]
>>> replace(L, 1, 7)
>>> L
[3, 7, 4, 7, 5, 9]
答案 3 :(得分:1)
不要使用list
作为名称,这会给你带来很多痛苦。
def replace(my_list, X, Y):
while X in my_list:
my_list.insert(my_list.index(X), Y)
my_list.pop(my_list.index(X))
答案 4 :(得分:0)
这对我有用。挺直的。可能是一种用较少的线条做到这一点的方法,但是基于到目前为止在网站上教授的内容,这可行。
def replace(L, X, Y):
while X in L:
i = L.index(X)
L.insert(i, Y)
L.remove(X)
答案 5 :(得分:0)
完全赞同Asad Saeeduddin 但是,i的第一个值必须为-1,它将有助于替换需要列表中的第一个对象
def replace(l, X, Y):
i = -1
for v in l:
i += 1
if v == X:
l.pop(i) # remove item at given position (position number i)
l.insert(i, Y) # insert item Y at position i
l = [1, 1, 4, 1, 5, 9]
replace(l, 1, 7)
print(l)