2

我有两个字符串列表。在包含大约 1000 个字符串元素的 list1 中,您有一个名为“Date”的字符串,它随机出现,紧随其后的是一个包含特定日期的字符串:“17/09/2011”。这种情况发生了大约 70 次。在 List2 中:我有大约 80 个日期,作为字符串。

问题:我想编写一个脚本,同时循环遍历两个列表,并按顺序将 list1 中的日期替换为 list2 中的日期。因此,显然您将用 list2 的前 70 个日期替换 list1 中出现的 70 个日期。之后我想将修改后的 list1 写入 .txt 文件。

我试过这个,但我完全被卡住了。我是 Python 的超级菜鸟。

def pairwise(lst):
    """ yield item i and item i+1 in lst. e.g.
        (lst[0], lst[1]), (lst[1], lst[2]), ..., (lst[-1], None)
    """
    if not lst: return
    #yield None, lst[0]
    for i in range(len(lst)-1):
        yield lst[i], lst[i+1]
    yield lst[-1], None

for line in file:
      list1.append(line.strip())
for i,j in pairwise(list1):
     for k in list2:
     if i == "Date":
         list1."replace"(j) # Dont know what to do. And i know this double for looping is wrong also.
4

1 回答 1

2

也许是这样的(如果没有没有以下日期的“日期”字符串):

iter2 = iter (list2)
for idx in (idx for idx, s in enumerate (list1) if s == 'Date'):
    list1 [idx + 1] = next (iter2)

with open ('out.txt', 'w') as f:
    f.write ('{}'.format (list1) )

@user1998510,这里有一点解释:

enumerate将列表作为参数并生成形式为(i,列表的第 i 个元素)的元组。在我的生成器(即(x for y in z if a)部分)中,我将此元组的部分分配给局部变量 idx 和 s。生成器本身只产生索引,因为列表的实际项目(对 whit s)并不重要,因为在生成器本身中我们过滤了有趣的项目if s == 'Date'。在for循环中,我遍历此生成器,将其产生的值分配给idx(这idx与内部idx生成器不同,因为 python 中的生成器不再泄漏它们的局部变量)。生成器生成元素为“日期”的列表的所有索引,并且for迭代它。因此,我将第二个列表中的下一个日期分配给所有有趣索引的旧列表的 idx+1st 项。

于 2013-01-21T23:10:16.003 回答