提问人:hexicurse 提问时间:11/14/2023 更新时间:11/14/2023 访问量:65
索引/数组故障排除:家庭作业
index/array troubleshooting : homework
问:
此代码:
"""this is a simple empty template in which to experiment"""
menu = ['Spam', 'Eggs', 'Spam', 'Spam', 'Bacon', 'Spam']
def boring(meals):
"""Given a list of meals served over some period of time, return True if the
same meal has ever been served two days in a row, and False otherwise.
"""
return [
(
i[meals.index(i)] == i[(meals.index(i) + 1)]
)
for i in meals if meals.index(i) < (len(meals)-1)
]
# This is the end of the doc
print(
boring(menu)
)
不断抛出此错误代码:
File "c:\work\Tester.py", line 10, in <listcomp>
i[meals.index(i)] == i[(meals.index(i) + 1)]
~^^^^^^^^^^^^^^^^^^^^^^
IndexError: string index out of range
我试图避免使用普通的条件或循环,并坚持理解。 这只是为了保持课程为每个学生设定的不言而喻的目标。
如果不超越单一的理解,这是不可能的吗?
答:
2赞
ALAM PARVEZ ANIK
11/14/2023
#1
代码中的问题是,您正在使用 meal i 的索引作为索引来访问 i 中的元素。这可能会导致 IndexError,因为索引是一个整数,但 i 是一个字符串(在本例中为 meal)。在列表推导中,您应该直接遍历元素,而不是它们的索引。
下面是使用列表推导式的代码的更正版本:
menu = ['Spam', 'Eggs', 'Spam', 'Spam', 'Bacon', 'Spam']
def boring(meals):
"""Given a list of meals served over some period of time, return True if the
same meal has ever been served two days in a row, and False otherwise.
"""
return any(meals[i] == meals[i + 1] for i in range(len(meals) - 1))
在此版本中,any 用于检查是否有任何连续的同一天吃同一餐。列表推导遍历了膳食的索引,meals[i] == meals[i + 1] 检查第 i 天的膳食是否与第二天的膳食相同 (i + 1)。这避免了直接在餐串上使用索引。
这应该会给你带来想要的结果,而不会超出单一的理解范围。
评论
2赞
CtrlZ
11/14/2023
此代码中没有列表推导式
0赞
hexicurse
11/14/2023
谢谢!幸运的是,我在网上有人在寻找像我这样的小程序员:3 我想我有点头脑冷静,这导致我浪费了几个小时。
2赞
Janay Alam
11/14/2023
#2
列表推导返回一个列表。不能返回任何一条数据。(如字符串、布尔值等)因此,如果您只想返回或 .True
False
正确的代码应该是这样的——
menu = ['Spam', 'Eggs', 'Spam', 'Spam', 'Bacon', 'Spam']
def boring(meals) -> bool:
for i in range(len(meals)-1):
if meals[i] == meals[i+1]:
return True
return False
print(boring(menu)) # True
0赞
CtrlZ
11/14/2023
#3
比较列表中相邻元素的常用方法是将 zip() 与原始列表和从元素 1 开始创建的新列表一起使用。这样可以避免显式索引。
喜欢这个:
menu = ['Spam', 'Eggs', 'Spam', 'Spam', 'Bacon', 'Spam']
def boring(meals):
for a, b in zip(meals, meals[1:]):
if a == b:
return True
return False
评论
0赞
hexicurse
11/15/2023
哦!整洁。我想我还处于编码生涯的早期。我希望我看到我的笔记周围的拉链:3
评论