2

我有一个包含 3 个子列表的“本地化”列表。我想将此列表打印到一个文件中,每个子列表在一列中。

例如:

>>>print localisation

localisation = [['a', 'b', 'c'],['d', 'e', 'f'],['g', 'h', 'i']]

我想要一个看起来像这样的文件:

a   d   g
b   e   h
c   f   i

(列可以用单个空格、制表符等分隔)

目前我正在这样做:

with open("rssi.txt") as fd:
    for item in localisation:
        print>>fd, item

有没有更好的方法,例如一次打印整个列表的单行?

4

2 回答 2

4
localisation = [['a', 'b', 'c'], ['d', 'e', 'f'], ['g', 'h', 'i']]

with open("rssi.txt") as f:
    f.write('\n'.join(' '.join(row) for row in zip(*localisation)))

# a d g
# b e h
# c f i

 

>>> localisation = [['a', 'b', 'c'], ['d', 'e', 'f'], ['g', 'h', 'i']]
>>> zip(*localisation)
[('a', 'd', 'g'), ('b', 'e', 'h'), ('c', 'f', 'i')]
于 2013-04-05T16:36:26.697 回答
0
with open("rssi.txt", "w") as f:
    for col in zip(*localisation):
        f.write(' '.join(str(x) for x in col) + '\n')

如果您的内部列表中的每个项目都已经是一个字符串,您可以使用' '.join(col) + '\n', 来使用制表符而不是空格分隔'\t'.join(...)

于 2013-04-05T16:37:47.497 回答