2

如何将命名元组字符串转换为列表?

问题是我必须在 SQLite 的列中存储一个命名元组列表,这(显然)不支持该格式。我想只是将其转换为字符串。但是,由于我的元组是一个命名元组,我不知道如何从字符串再次列出。

>>> Point = namedtuple("Point", "x y", verbose = False)
>>> p = Point(3, 5)
>>> points = []
>>> points.append(Point(4, 7))
>>> points.append(Point(8, 9))
>>> points.append(p)
>>> p.x
3
>>> print points
[Point(x=4, y=7), Point(x=8, y=9), Point(x=3, y=5)]

我的命名元组列表是这样的^^^^,但它有 6 个参数,而不是上面显示的 2 个。编辑 - 参数是布尔值、整数和字符串。

我尝试了映射,但出现以下错误:

>>> string = str(points)
>>> l = string.strip("[]")
>>> p = map(Point._make, l.split(", "))

Traceback (most recent call last):
File "<pyshell#31>", line 1, in <module>
p = map(Point._make, l.split(", "))
File "<string>", line 17, in _make
TypeError: Expected 2 arguments, got 9

我愿意接受其他更简单的方法来做到这一点。

4

3 回答 3

3

最终,如何做到这一点可能是一个品味问题。

JSON

Json 可以很好地使用,因为与 pickle 不同,它可以在 python 之外使用。您的对象以广泛支持的、易于改变用途的格式进行序列化。

>>> import json  # simple json is better bit I didn't want to force an install
>>> from collections import namedtuple
>>> Point = namedtuple("Point", "x y", verbose = False)
>>> p = Point(3,4)
>>> json.dumps(p._asdict())
'{"x": 3, "y": 4}'
>>> s = json.dumps(p._asdict())
>>> json.loads(s)  # not there yet cause thisis a dict
{u'y': 4, u'x': 3}   # but it is a dict that can create a Point
>>> Point(**json.loads(s))
Point(x=3, y=4)    

泡菜

除非您定义属性状态,否则 pickle 将不起作用(请参阅__getstate__ 文档)。这是加载阶段的“更好”,从上面开始:

import pickle

# Point.__getstate__=lambda self: self._asdict() # not needed as per @simon's comment thx simon
>>> pickle.dumps(p)
"ccopy_reg\n_reconstructor\np0\n(c__main__\nPoint\np1\nc__builtin__\ntuple\np2\n(I3\nI4\ntp3\ntp4\nRp5\nccollections\nOrderedDict\np6\n((lp7\n(lp8\nS'x'\np9\naI3\naa(lp10\nS'y'\np11\naI4\naatp12\nRp13\nb."
s = pickle.dumps(p)
>>> pickle.loads(s)
Point(x=3, y=4)

评估

我不鼓励使用 eval 或 exec。如果您确实走这条路,请查看ast.literal_eval()并查看一些与 SO 相关的答案,例如python eval 的安全性

于 2013-07-28T14:17:33.510 回答
2

根据 Phil Cooper 的回答,您可以将对象存储为 json 格式:

>>> import json

>>> points_str = json.dumps([x._asdict() for x in points])
[{"x": 4, "y": 7}, {"x": 8, "y": 9}, {"x": 1, "y": 2}]

>>> points2 = [Point(**x) for x in json.loads(points_str)]
[Point(x=4, y=7), Point(x=8, y=9), Point(x=1, y=2)]

另一种奇怪的方法是使用exec

>>> points_str = repr(points)
'[Point(x=4, y=7), Point(x=8, y=9), Point(x=1, y=2)]'

>>> exec "points2 = %s" % points
>>> points2
[Point(x=4, y=7), Point(x=8, y=9), Point(x=1, y=2)]
于 2013-07-28T14:31:49.687 回答
2

我建议您使用pickle允许将 python 对象存储在文件中的模块。

顺便说一句,我不确定是否namedtuple可以使用pickle,如果是这种情况并且数据来源不是未知的,那么您也可以使用evalwith repr

帮助repr

>>> print repr.__doc__
repr(object) -> string

Return the canonical string representation of the object.
For most object types, eval(repr(object)) == object.

例子:

>>> repr(points)
'[Point(x=4, y=7), Point(x=8, y=9), Point(x=3, y=5)]'
>>> eval(repr(points))
[Point(x=4, y=7), Point(x=8, y=9), Point(x=3, y=5)]
于 2013-07-28T13:53:16.357 回答