如何解决如何制作将子列表添加到列表的功能
我想使用将值NewList
的{{1}}添加到第二个列表sublist
的函数来创建值(low_phase=[0] x 30)
(在1和0之间)。我需要一个循环,因为该函数需要及时遍历所有元素,并且我需要一个if函数,该函数可以检查时间上的元素何时等于列表间隔,然后才应用(high_phase=[1] x 960 elements long)
低相位。如果值相等,则列表应包含0;如果值不同,则列表应包含1。
sublist
输出示例:在时间(0-960)中每次包含间隔(60、120、180等)时,请将30个值= 0的列表添加到NewList,否则将1添加到NewList。 > =================
#this is the `NewList` I want to create. It has to contain values of 1 or 0,which are assigned based on the function with loop
NewList = []
#this is the first list
time = list(range(1,960))
#this is the second list
interval= list(range(60,960,60))
#these are the values to be assigned to the newLIst if the condition is true
high_phase = [1]*960
#these are the values to be assigned to the newLIst if the condition is False
low_phase = [0]*29
def method(NewList):
for n,m in zip(time,interval):
if time[n] == interval[m]:
NewList.extend(low_phase)
else:
NewList.append(high_phase)
print(NewList)
解决方法
根据您提供的代码,我认为这就是您想要的:
NewList = []
time = list(range(1,960))
interval= list(range(60,960,60))
high_phase = [1]*960
low_phase = [0]*59
def method(NewList):
for i in interval:
NewList.extend(low_phase) # 59 entries from low_phase
NewList.append(high_phase[len(NewList)]) # matching high_phase entry
return NewList
print(method(NewList))
输出(包装,截断)
[0,... 0,1,...........
0,1]
,
好吧,我想我现在已经有了想要的东西:列表960 1
,范围从每个间隔开始的30 0
。这就是您可以做到的:从960*[1]
开始,并为每个间隔用30*[0]
替换30个元素的切片。
result = [1] * 960
for i in range(60,60):
result[i:i+30] = [0] * 30
(注意:如果最后一个包含30个元素的切片比列表长,则会将列表扩展多几个0,因此您可能必须将其最后截断为960个元素。)
输出(部分):
>>> list(enumerate(result))
[...
(58,1),(59,(60,0),(61,(62,...
(88,(89,(90,(91,(92,...]
关于原始的method
函数:存在许多问题。首先,您压缩了两个列表,它们的长度差别很大(960个与15个元素),因此您只会从这两个列表中获得前15个元素。然后,n
和m
已经是该列表中的元素,但是使用time[n] == interval[m]
将它们视为索引,因为第一个间隔60
已经存在,这将产生IndexError大于整个间隔列表。无论如何,该条件永远不会成立,因为间隔从更高的值开始并且数字上升得更快,因此“成对”的值永远不会相等。
版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。