When Extending Python With C, How Do One Dynamically Build A Complex Structure In C?
Solution 1:
You're not supposed to use those functions to build dynamically-sized data structures. The FAQ says to use PyTuple_Pack instead of Py_BuildValue for an arbitrary-sized tuple, but that's wrong too; I don't know why it says that. PyTuple_Pack has the same varargs issues as Py_BuildValue.
To build a variable-length tuple from C, use PyTuple_New
to construct an uninitialized tuple of the desired length, then loop over the indices and set the elements with PyTuple_SET_ITEM
. Yes, this mutates the tuple. PyTuple_SET_ITEM
is only safe to use to initialize fresh tuples that have not yet been exposed to other code. Also, be aware that PyTuple_SET_ITEM
steals a reference to the new element.
For example, to build a tuple of integers from 0 to n-1:
PyObject *tup = PyTuple_New(n);
for (int i = 0; i < n; i++) {
// Note that PyTuple_SET_ITEM steals the reference we get from PyLong_FromLong.PyTuple_SET_ITEM(tup, i, PyLong_FromLong(i));
}
To build a variable-length list from C, you can do the same thing with PyList_New
and PyList_SET_ITEM
, or you can construct an empty list with PyList_New(0)
and append items with PyList_Append
, much like you would use []
and append
in Python if you didn't have list comprehensions or sequence multiplication.
Post a Comment for "When Extending Python With C, How Do One Dynamically Build A Complex Structure In C?"