我有一个虚拟机,可以读取嵌套在列表中的元组的指令,如下所示:
[(0,4738),(0,36),
(0,6376),(0,0)]
存储这种机器代码程序时,文本文件最简单,必须写成字符串。这显然很难转换回来。
是否有任何模块可以将字符串读入列表/以可读的方式存储列表?
要求:
答案 0 :(得分:34)
使用json
module:
string = json.dumps(lst)
lst = json.loads(string)
演示:
>>> import json
>>> lst = [(0,4738),(0,36),
... (0,6376),(0,0)]
>>> string = json.dumps(lst)
>>> string
'[[0, 4738], [0, 36], [0, 6376], [0, 0]]'
>>> lst = json.loads(string)
>>> lst
[[0, 4738], [0, 36], [0, 6376], [0, 0]]
另一种方法是使用repr()
和ast.literal_eval()
;只是列表,元组和整数,也允许你往返:
>>> from ast import literal_eval
>>> string = repr(lst)
>>> string
'[[0, 4738], [0, 36], [0, 6376], [0, 0]]'
>>> lst = literal_eval(string)
>>> lst
[[0, 4738], [0, 36], [0, 6376], [0, 0]]
JSON具有额外的优势,它是一种标准格式,支持Python以外的工具支持序列化,解析和验证。 json
库也比ast.literal_eval()
函数快得多。
答案 1 :(得分:20)
只需使用ast.literal_eval
>>> from ast import literal_eval
>>> a = literal_eval('[(1, 2)]')
>>> a
[(1, 2)]
您可以使用repr()
将其转换为字符串。
>>> repr(a)
'[(1, 2)]'
答案 2 :(得分:14)
import json
with open(data_file, 'wb') as dump:
dump.write(json.dumps(arbitrary_data))
同样地:
source = open(data_file, 'rb').read()
data = json.loads(source)
答案 3 :(得分:12)
eval
应该以一种简单的方式完成:
>>> str([(0,4738),(0,36),(0,6376),(0,0)])
'[(0, 4738), (0, 36), (0, 6376), (0, 0)]'
>>> eval(str([(0,4738),(0,36),(0,6376),(0,0)]))
[(0, 4738), (0, 36), (0, 6376), (0, 0)]
答案 4 :(得分:0)
如果这些只是两元组,您可以使用csv
module将它们存储在CVS文件中。不需要任何括号/括号。
答案 5 :(得分:0)
with open('path/to/file', 'w') as outfile:
for tup in L:
outfile.write("%s\n" %' '.join(str(i) for i in tup))
with open('path/to/file) as infile:
L = [tuple(int(i) for i in line.strip().split()) for line in infile]
答案 6 :(得分:0)
如果你只是处理原始Python类型,你可以使用内置的repr()
:
Help on built-in function repr in module __builtin__:
repr(...)
repr(object) -> string
Return the canonical string representation of the object.
For most object types, eval(repr(object)) == object.