C struct python等价

时间:2013-05-23 19:31:05

标签: python c

我有这个C代码:

    typedef struct test * Test;

    struct test {
        void *a;
        Test next;
    };

你如何在Python中实现与此相当的东西(如果可能的话)?

1 个答案:

答案 0 :(得分:15)

在Python中,您可以将任何类型的对象分配给变量;所以你可以使用任何类,如:

class test(object):
    __slots__ = ['a', 'next']

x = test()
x.next = x
x.a = 42

请注意,__slots__可选,应该可以减少内存开销(它还可以加快属性访问速度)。此外,您经常要创建一个构造函数,如下所示:

class test(object):
    def __init__(self, a, next):
        self.a = a
        self.next = next

x = test(21, None)
assert x.a == 21

如果课程可以是不可变的,您可能还想查看namedtuple

import collections
test = collections.namedtuple('test', ['a', 'next'])