多个列表保存在单个文本文件中

时间:2016-01-14 09:49:49

标签: python list file

我有一个包含以下信息的文本文件(每个条件在一个单独的行中):

UP_aic up 920.5 4 17280.0 down 17764.5 2 28186.5 up 28249.1  
DOWN_aic down 941.0 2 8800.5 up 8894.3 down 11691.0 2 20316.2 up
20363.1 4 26901.8 down 26901.8  
UP_adc down 1477.1   
DOWN_adc up 1752.8

我已经实现了删除2s和4s及其各自时间的代码(见下文),我想要的是将这些信息重新保存在另一个文本文件中!

然而,在今天早上的所有15次(或左右)尝试中,我只设法以各种方式保存最后一行(DOWN_adc up 1752.8):正常,垂直而不是水平,所有字符"粘合&# 34;一起等等。

所以我现在保留了最基本的写法。我知道所有以前的行都被下一行删除,所以只留下最后一行,但我无法弄清楚如何防止这种情况。

以下是代码:

from sys import argv
from itertools import tee, islice, chain, izip
script, from_file, to_file = argv 
print "Here's your file %r:" %from_file

fhand=open(from_file)
total = 0
for line in fhand:  
    words=line.split()
    def previous_and_next(some_iterable):
        items, nexts = tee(some_iterable, 2)
        nexts = chain(islice(nexts, 1, None), [None])
        return izip(items, nexts)
    for item, nxt in previous_and_next(words):
        if item=='2': 
           words.remove(item)
           words.remove(nxt)
        elif item=='4':
            words.remove(item)
            words.remove(nxt)
    print words

with open(to_file, 'w') as output:          
      output.write(str(words)+'\n')

fhand.close()
output.close() 

那么,如何将这样的数据再次保存在一个单独的行中(尖括号,逗号等不是问题)?

['UP_aic', 'up', '920.5', 'down', '17764.5', 'up', '28249.1']  
['DOWN_aic', 'down', '941.0', 'up', '8894.3', 'down', '11691.0', 'up', '20363.1', 'down', '26901.8'] 
['UP_adc', 'down', '1477.1']  
['DOWN_adc', 'up', '1752.8'] 

1 个答案:

答案 0 :(得分:1)

write()的调用超出了for循环,因此words仅在循环结束后写入文件。到那时,它包含读取的最后一行中的任何内容。

将您的代码更改为

def previous_and_next(some_iterable):
    items, nexts = tee(some_iterable, 2)
    nexts = chain(islice(nexts, 1, None), [None])
    return izip(items, nexts)

with open(to_file, 'w') as output:      
    for line in fhand:  
        words = line.split()
        for item, nxt in previous_and_next(words):
            if item == '2': 
                words.remove(item)
                words.remove(nxt)
            elif item == '4':
                words.remove(item)
                words.remove(nxt)
        print words
        output.write(str(words)+'\n')

无需致电output.close(),这就是with阻止的目的。