1

在 Python 中:假设我有一个循环,在每个循环中我生成一个具有以下格式的列表: ['n1','n2','n3'] 在每个循环之后,我想写入附加生成的条目到一个文件(其中包含之前循环的所有输出)。我怎样才能做到这一点?

另外,有没有办法制作一个列表,其条目是这个循环的输出?即 [[],[],[]] 其中每个内部 []=['n1','n2','n3] 等

4

3 回答 3

4

将单个列表作为一行写入文件

当然,您可以在将其转换为字符串后将其写入文件中:

with open('some_file.dat', 'w') as f:
    for x in xrange(10):  # assume 10 cycles
        line = []
        # ... (here is your code, appending data to line) ...
        f.write('%r\n' % line)  # here you write representation to separate line

一次写入所有行

当涉及到问题的第二部分时:

另外,有没有办法制作一个列表,其条目是这个循环的输出?即[[],[],[]]每个内部[]=['n1','n2','n3']

它也很基本。假设您想一次保存所有内容,只需编写:

lines = []  # container for a list of lines
for x in xrange(10):  # assume 10 cycles
    line = []
    # ... (here is your code, appending data to line) ...
    lines.append('%r\n' % line)  # here you add line to the list of lines
# here "lines" is your list of cycle results
with open('some_file.dat', 'w') as f:
    f.writelines(lines)

将列表写入文件的更好方法

根据您的需要,您可能应该使用一种更专业的格式,而不仅仅是文本文件。您可以使用例如,而不是编写列表表示(可以,但不理想)。csv模块(类似于 Excel 的电子表格):http ://docs.python.org/3.3/library/csv.html

于 2012-11-16T02:19:18.663 回答
2

f=open(file,'a') 第一个参数是文件的路径,第二个是模式,'a' 是追加,'w' 是写入,'r' 是读取,依此类推,我认为,你可以使用f.write(list+'\n')循环写一行,否则你可以使用f.writelines(list),它也起作用。

于 2012-11-16T02:20:21.000 回答
0

Hope this can help you:

lVals = []
with open(filename, 'a') as f:
    for x,y,z in zip(range(10), range(5, 15), range(10, 20)):
        lVals.append([x,y,z])
        f.write(str(lVals[-1]))
于 2012-11-16T02:28:46.780 回答