Об’єкти типу¶
Perhaps one of the most important structures of the Python object system is the
structure that defines a new type: the PyTypeObject
structure. Type
objects can be handled using any of the PyObject_*
or
PyType_*
functions, but do not offer much that’s interesting to most
Python applications. These objects are fundamental to how objects behave, so
they are very important to the interpreter itself and to any extension module
that implements new types.
Об’єкти типу досить великі порівняно з більшістю стандартних типів. Причина такого розміру полягає в тому, що кожен об’єкт типу зберігає велику кількість значень, переважно покажчиків на функції C, кожен з яких реалізує невелику частину функціональності типу. У цьому розділі детально розглядаються поля об’єкта типу. Поля будуть описані в тому порядку, в якому вони розташовані в структурі.
На додаток до наведеної нижче короткої довідки, розділ Приклади надає швидке розуміння значення та використання PyTypeObject
.
Короткий довідник¶
«tp слот軶
Слот PyTypeObject [1] |
спеціальні методи/атр |
Інформація [2] |
||||
---|---|---|---|---|---|---|
О |
T |
D |
I |
|||
<R> |
const char * |
__name__ |
X |
X |
||
X |
X |
X |
||||
X |
X |
|||||
X |
X |
X |
||||
X |
X |
|||||
__getattribute__, __getattr__ |
Г |
|||||
__setattr__, __delattr__ |
Г |
|||||
% |
||||||
__repr__ |
X |
X |
X |
|||
% |
||||||
% |
||||||
% |
||||||
__hash__ |
X |
Г |
||||
__call__ |
X |
X |
||||
__str__ |
X |
X |
||||
__getattribute__, __getattr__ |
X |
X |
Г |
|||
__setattr__, __delattr__ |
X |
X |
Г |
|||
% |
||||||
беззнаковий long |
X |
X |
? |
|||
const char * |
__doc__ |
X |
X |
|||
X |
Г |
|||||
X |
Г |
|||||
__lt__, __le__, __eq__, __ne__, __gt__, __ge__ |
X |
Г |
||||
X |
? |
|||||
__iter__ |
X |
|||||
__next__ |
X |
|||||
|
X |
X |
||||
|
X |
|||||
|
X |
X |
||||
__base__ |
X |
|||||
|
__dict__ |
? |
||||
__get__ |
X |
|||||
__set__, __delete__ |
X |
|||||
X |
? |
|||||
__init__ |
X |
X |
X |
|||
X |
? |
? |
||||
__new__ |
X |
X |
? |
? |
||
X |
X |
? |
? |
|||
X |
X |
|||||
< |
|
__bases__ |
~ |
|||
< |
|
__mro__ |
~ |
|||
[ |
|
|||||
порожній * |
__subclasses__ |
|||||
|
||||||
( |
||||||
беззнаковий int |
||||||
__del__ |
X |
|||||
беззнаковий символ |
підслоти¶
Слот |
спеціальні методи |
|
---|---|---|
__await__ |
||
__aiter__ |
||
__anext__ |
||
__add__ __radd__ |
||
__iadd__ |
||
__sub__ __rsub__ |
||
__isub__ |
||
__mul__ __rmul__ |
||
__imul__ |
||
__mod__ __rmod__ |
||
__imod__ |
||
__divmod__ __rdivmod__ |
||
__pow__ __rpow__ |
||
__ipow__ |
||
__neg__ |
||
__pos__ |
||
__abs__ |
||
__bool__ |
||
__invert__ |
||
__lshift__ __rlshift__ |
||
__ilshift__ |
||
__rshift__ __rrshift__ |
||
__irshift__ |
||
__and__ __rand__ |
||
__iand__ |
||
__xor__ __rxor__ |
||
__ixor__ |
||
__or__ __ror__ |
||
__ior__ |
||
__int__ |
||
порожній * |
||
__float__ |
||
__floordiv__ |
||
__ifloordiv__ |
||
__truediv__ |
||
__itruediv__ |
||
__index__ |
||
__matmul__ __rmatmul__ |
||
__imatmul__ |
||
__len__ |
||
__getitem__ |
||
__setitem__, __delitem__ |
||
__len__ |
||
__add__ |
||
__mul__ |
||
__getitem__ |
||
__setitem__ __delitem__ |
||
__contains__ |
||
__iadd__ |
||
__imul__ |
||
типи слотів¶
typedef |
Типи параметрів |
Тип повернення |
---|---|---|
|
||
|
пустий |
|
порожній * |
пустий |
|
int |
||
|
||
int |
||
|
|
|
PyObject *const char *
|
|
|
int |
||
|
||
int |
||
|
||
int |
||
|
Py_hash_t |
|
|
||
|
|
|
|
|
|
|
||
int |
||
пустий |
||
|
int |
|
PyObject * |
|
|
|
||
|
||
|
||
int |
||
int |
||
int |
Дивіться Типи слотів нижче, щоб дізнатися більше.
Визначення PyTypeObject¶
Визначення структури для PyTypeObject
можна знайти в Include/object.h
. Для зручності посилання повторює наведене там визначення:
typedef struct _typeobject {
PyObject_VAR_HEAD
const char *tp_name; /* For printing, in format "<module>.<name>" */
Py_ssize_t tp_basicsize, tp_itemsize; /* For allocation */
/* Methods to implement standard operations */
destructor tp_dealloc;
Py_ssize_t tp_vectorcall_offset;
getattrfunc tp_getattr;
setattrfunc tp_setattr;
PyAsyncMethods *tp_as_async; /* formerly known as tp_compare (Python 2)
or tp_reserved (Python 3) */
reprfunc tp_repr;
/* Method suites for standard classes */
PyNumberMethods *tp_as_number;
PySequenceMethods *tp_as_sequence;
PyMappingMethods *tp_as_mapping;
/* More standard operations (here for binary compatibility) */
hashfunc tp_hash;
ternaryfunc tp_call;
reprfunc tp_str;
getattrofunc tp_getattro;
setattrofunc tp_setattro;
/* Functions to access object as input/output buffer */
PyBufferProcs *tp_as_buffer;
/* Flags to define presence of optional/expanded features */
unsigned long tp_flags;
const char *tp_doc; /* Documentation string */
/* Assigned meaning in release 2.0 */
/* call function for all accessible objects */
traverseproc tp_traverse;
/* delete references to contained objects */
inquiry tp_clear;
/* Assigned meaning in release 2.1 */
/* rich comparisons */
richcmpfunc tp_richcompare;
/* weak reference enabler */
Py_ssize_t tp_weaklistoffset;
/* Iterators */
getiterfunc tp_iter;
iternextfunc tp_iternext;
/* Attribute descriptor and subclassing stuff */
struct PyMethodDef *tp_methods;
struct PyMemberDef *tp_members;
struct PyGetSetDef *tp_getset;
// Strong reference on a heap type, borrowed reference on a static type
struct _typeobject *tp_base;
PyObject *tp_dict;
descrgetfunc tp_descr_get;
descrsetfunc tp_descr_set;
Py_ssize_t tp_dictoffset;
initproc tp_init;
allocfunc tp_alloc;
newfunc tp_new;
freefunc tp_free; /* Low-level free-memory routine */
inquiry tp_is_gc; /* For PyObject_IS_GC */
PyObject *tp_bases;
PyObject *tp_mro; /* method resolution order */
PyObject *tp_cache;
PyObject *tp_subclasses;
PyObject *tp_weaklist;
destructor tp_del;
/* Type attribute cache version tag. Added in version 2.6 */
unsigned int tp_version_tag;
destructor tp_finalize;
vectorcallfunc tp_vectorcall;
/* bitset of which type-watchers care about this type */
unsigned char tp_watched;
} PyTypeObject;
Слоти PyObject¶
The type object structure extends the PyVarObject
structure. The
ob_size
field is used for dynamic types (created by type_new()
,
usually called from a class statement). Note that PyType_Type
(the
metatype) initializes tp_itemsize
, which means that its instances (i.e.
type objects) must have the ob_size
field.
-
Py_ssize_t PyObject.ob_refcnt¶
- Part of the Stable ABI.
This is the type object’s reference count, initialized to
1
by thePyObject_HEAD_INIT
macro. Note that for statically allocated type objects, the type’s instances (objects whoseob_type
points back to the type) do not count as references. But for dynamically allocated type objects, the instances do count as references.Наслідування:
Це поле не успадковується підтипами.
-
PyTypeObject *PyObject.ob_type¶
- Part of the Stable ABI.
Це тип типу, іншими словами його метатип. Він ініціалізується аргументом макросу
PyObject_HEAD_INIT
, і його значення зазвичай має бути&PyType_Type
. Однак для динамічно завантажуваних модулів розширення, які повинні використовуватися в Windows (принаймні), компілятор скаржиться, що це недійсний ініціалізатор. Таким чином, прийнято передаватиNULL
в макросPyObject_HEAD_INIT
і ініціалізувати це поле явно на початку функції ініціалізації модуля, перш ніж робити будь-що інше. Зазвичай це робиться так:Foo_Type.ob_type = &PyType_Type;
This should be done before any instances of the type are created.
PyType_Ready()
checks ifob_type
isNULL
, and if so, initializes it to theob_type
field of the base class.PyType_Ready()
will not change this field if it is non-zero.Наслідування:
Це поле успадковується підтипами.
-
PyObject *PyObject._ob_next¶
-
PyObject *PyObject._ob_prev¶
These fields are only present when the macro
Py_TRACE_REFS
is defined (see theconfigure --with-trace-refs option
).Their initialization to
NULL
is taken care of by thePyObject_HEAD_INIT
macro. For statically allocated objects, these fields always remainNULL
. For dynamically allocated objects, these two fields are used to link the object into a doubly linked list of all live objects on the heap.This could be used for various debugging purposes; currently the only uses are the
sys.getobjects()
function and to print the objects that are still alive at the end of a run when the environment variablePYTHONDUMPREFS
is set.Наслідування:
These fields are not inherited by subtypes.
Слоти PyVarObject¶
-
Py_ssize_t PyVarObject.ob_size¶
- Part of the Stable ABI.
Для статично виділених об’єктів типу, це має бути ініціалізовано нулем. Для динамічно виділених об’єктів типу це поле має особливе внутрішнє значення.
Наслідування:
Це поле не успадковується підтипами.
Слоти PyTypeObject¶
Each slot has a section describing inheritance. If PyType_Ready()
may set a value when the field is set to NULL
then there will also be
a «Default» section. (Note that many fields set on PyBaseObject_Type
and PyType_Type
effectively act as defaults.)
-
const char *PyTypeObject.tp_name¶
Pointer to a NUL-terminated string containing the name of the type. For types that are accessible as module globals, the string should be the full module name, followed by a dot, followed by the type name; for built-in types, it should be just the type name. If the module is a submodule of a package, the full package name is part of the full module name. For example, a type named
T
defined in moduleM
in subpackageQ
in packageP
should have thetp_name
initializer"P.Q.M.T"
.Для динамічно виділених об’єктів типу, це має бути лише ім’я типу, а ім’я модуля явно зберігається в dict типу як значення для ключа
'__module__'
.For statically allocated type objects, the tp_name field should contain a dot. Everything before the last dot is made accessible as the
__module__
attribute, and everything after the last dot is made accessible as the__name__
attribute.If no dot is present, the entire
tp_name
field is made accessible as the__name__
attribute, and the__module__
attribute is undefined (unless explicitly set in the dictionary, as explained above). This means your type will be impossible to pickle. Additionally, it will not be listed in module documentations created with pydoc.Це поле не має бути
NULL
. Це єдине обов’язкове поле вPyTypeObject()
(окрім потенційноtp_itemsize
).Наслідування:
Це поле не успадковується підтипами.
-
Py_ssize_t PyTypeObject.tp_basicsize¶
-
Py_ssize_t PyTypeObject.tp_itemsize¶
Ці поля дозволяють обчислити розмір екземплярів типу в байтах.
Існує два види типів: типи з екземплярами фіксованої довжини мають нульове поле
tp_itemsize
, типи з екземплярами змінної довжини мають ненульове полеtp_itemsize
поле. Для типу з екземплярами фіксованої довжини всі екземпляри мають однаковий розмір, указаний уtp_basicsize
.For a type with variable-length instances, the instances must have an
ob_size
field, and the instance size istp_basicsize
plus N timestp_itemsize
, where N is the «length» of the object. The value of N is typically stored in the instance’sob_size
field. There are exceptions: for example, ints use a negativeob_size
to indicate a negative number, and N isabs(ob_size)
there. Also, the presence of anob_size
field in the instance layout doesn’t mean that the instance structure is variable-length (for example, the structure for the list type has fixed-length instances, yet those instances have a meaningfulob_size
field).The basic size includes the fields in the instance declared by the macro
PyObject_HEAD
orPyObject_VAR_HEAD
(whichever is used to declare the instance struct) and this in turn includes the_ob_prev
and_ob_next
fields if they are present. This means that the only correct way to get an initializer for thetp_basicsize
is to use thesizeof
operator on the struct used to declare the instance layout. The basic size does not include the GC header size.Примітка щодо вирівнювання: якщо елементи змінної потребують особливого вирівнювання, про це слід подбати за допомогою значення
tp_basicsize
. Приклад: припустимо, що тип реалізує масивdouble
.tp_itemsize
— цеsizeof(double)
. Програміст відповідає за те, щобtp_basicsize
був кратнимsizeof(double)
(припускаючи, що це вимога вирівнювання дляdouble
).Для будь-якого типу з екземплярами змінної довжини це поле не має бути
NULL
.Наслідування:
Ці поля успадковуються окремо за підтипами. Якщо базовий тип має ненульовий
tp_itemsize
, зазвичай небезпечно встановлюватиtp_itemsize
інше ненульове значення в підтипі ( хоча це залежить від реалізації базового типу).
-
destructor PyTypeObject.tp_dealloc¶
Покажчик на функцію деструктора екземпляра. Ця функція має бути визначена, якщо тип не гарантує, що її екземпляри ніколи не будуть звільнені (як у випадку сінгтонів
None
іEllipsis
). Сигнатура функції:void tp_dealloc(PyObject *self);
The destructor function is called by the
Py_DECREF()
andPy_XDECREF()
macros when the new reference count is zero. At this point, the instance is still in existence, but there are no references to it. The destructor function should free all references which the instance owns, free all memory buffers owned by the instance (using the freeing function corresponding to the allocation function used to allocate the buffer), and call the type’stp_free
function. If the type is not subtypable (doesn’t have thePy_TPFLAGS_BASETYPE
flag bit set), it is permissible to call the object deallocator directly instead of viatp_free
. The object deallocator should be the one used to allocate the instance; this is normallyPyObject_Del()
if the instance was allocated usingPyObject_New
orPyObject_NewVar
, orPyObject_GC_Del()
if the instance was allocated usingPyObject_GC_New
orPyObject_GC_NewVar
.If the type supports garbage collection (has the
Py_TPFLAGS_HAVE_GC
flag bit set), the destructor should callPyObject_GC_UnTrack()
before clearing any member fields.static void foo_dealloc(foo_object *self) { PyObject_GC_UnTrack(self); Py_CLEAR(self->ref); Py_TYPE(self)->tp_free((PyObject *)self); }
Finally, if the type is heap allocated (
Py_TPFLAGS_HEAPTYPE
), the deallocator should release the owned reference to its type object (viaPy_DECREF()
) after calling the type deallocator. In order to avoid dangling pointers, the recommended way to achieve this is:static void foo_dealloc(foo_object *self) { PyTypeObject *tp = Py_TYPE(self); // free references and buffers here tp->tp_free(self); Py_DECREF(tp); }
Попередження
In a garbage collected Python,
tp_dealloc
may be called from any Python thread, not just the thread which created the object (if the object becomes part of a refcount cycle, that cycle might be collected by a garbage collection on any thread). This is not a problem for Python API calls, since the thread on whichtp_dealloc
is called will own the Global Interpreter Lock (GIL). However, if the object being destroyed in turn destroys objects from some other C or C++ library, care should be taken to ensure that destroying those objects on the thread which calledtp_dealloc
will not violate any assumptions of the library.Наслідування:
Це поле успадковується підтипами.
-
Py_ssize_t PyTypeObject.tp_vectorcall_offset¶
Необов’язкове зміщення функції для кожного екземпляра, яка реалізує виклик об’єкта за допомогою vectorcall протоколу, більш ефективної альтернативи простішого
tp_call
.This field is only used if the flag
Py_TPFLAGS_HAVE_VECTORCALL
is set. If so, this must be a positive integer containing the offset in the instance of avectorcallfunc
pointer.The vectorcallfunc pointer may be
NULL
, in which case the instance behaves as ifPy_TPFLAGS_HAVE_VECTORCALL
was not set: calling the instance falls back totp_call
.Будь-який клас, який встановлює
Py_TPFLAGS_HAVE_VECTORCALL
, також повинен встановитиtp_call
і переконатися, що його поведінка узгоджується з функцією vectorcallfunc. Це можна зробити, встановивши tp_call наPyVectorcall_Call()
.Змінено в версії 3.8: До версії 3.8 цей слот мав назву
tp_print
. У Python 2.x він використовувався для друку у файл. У Python від 3.0 до 3.7 він не використовувався.Змінено в версії 3.12: Before version 3.12, it was not recommended for mutable heap types to implement the vectorcall protocol. When a user sets
__call__
in Python code, only tp_call is updated, likely making it inconsistent with the vectorcall function. Since 3.12, setting__call__
will disable vectorcall optimization by clearing thePy_TPFLAGS_HAVE_VECTORCALL
flag.Наслідування:
This field is always inherited. However, the
Py_TPFLAGS_HAVE_VECTORCALL
flag is not always inherited. If it’s not set, then the subclass won’t use vectorcall, except whenPyVectorcall_Call()
is explicitly called.
-
getattrfunc PyTypeObject.tp_getattr¶
Додатковий покажчик на функцію get-attribute-string.
Це поле застаріло. Коли його визначено, він має вказувати на функцію, яка діє так само, як функція
tp_getattro
, але використовує рядок C замість рядкового об’єкта Python, щоб надати назву атрибуту.Наслідування:
Group:
tp_getattr
,tp_getattro
Це поле успадковується підтипами разом із
tp_getattro
: підтип успадковує іtp_getattr
, іtp_getattro
від своєї основи типу, коли підтипиtp_getattr
іtp_getattro
мають значенняNULL
.
-
setattrfunc PyTypeObject.tp_setattr¶
Додатковий вказівник на функцію для налаштування та видалення атрибутів.
Це поле застаріло. Коли його визначено, він має вказувати на функцію, яка діє так само, як функція
tp_setattro
, але використовує рядок C замість рядкового об’єкта Python, щоб надати назву атрибуту.Наслідування:
Group:
tp_setattr
,tp_setattro
Це поле успадковується підтипами разом із
tp_setattro
: підтип успадковує іtp_setattr
, іtp_setattro
від своєї основи типу, коли підтипиtp_setattr
іtp_setattro
мають значенняNULL
.
-
PyAsyncMethods *PyTypeObject.tp_as_async¶
Покажчик на додаткову структуру, яка містить поля, що стосуються лише об’єктів, які реалізують протоколи awaitable і asynchronous iterator на рівні C. Дивіться Асинхронні об’єктні структури для деталей.
Added in version 3.5: Раніше відомий як
tp_compare
іtp_reserved
.Наслідування:
Поле
tp_as_async
не успадковується, але поля, що містяться, успадковуються окремо.
-
reprfunc PyTypeObject.tp_repr¶
Додатковий покажчик на функцію, яка реалізує вбудовану функцію
repr()
.Підпис такий самий, як і для
PyObject_Repr()
:PyObject *tp_repr(PyObject *self);
Функція має повертати рядок або об’єкт Unicode. В ідеалі ця функція має повертати рядок, який, переданий до
eval()
, за відповідного середовища повертає об’єкт із тим самим значенням. Якщо це неможливо, він повинен повертати рядок, що починається з'<'
та закінчується на'>'
, з якого можна вивести як тип, так і значення об’єкта.Наслідування:
Це поле успадковується підтипами.
За замовчуванням:
Якщо це поле не встановлено, повертається рядок у формі
<%s object at %p>
, де%s
замінюється назвою типу, а%p
адресою пам’яті об’єкта.
-
PyNumberMethods *PyTypeObject.tp_as_number¶
Покажчик на додаткову структуру, яка містить поля, що стосуються лише об’єктів, які реалізують протокол номерів. Ці поля задокументовані в Числові об’єктні структури.
Наслідування:
Поле
tp_as_number
не успадковується, але поля, що містяться, успадковуються окремо.
-
PySequenceMethods *PyTypeObject.tp_as_sequence¶
Покажчик на додаткову структуру, яка містить поля, що стосуються лише об’єктів, які реалізують протокол послідовності. Ці поля задокументовані в Структури об’єктів послідовності.
Наслідування:
Поле
tp_as_sequence
не успадковується, але поля, що містяться, успадковуються окремо.
-
PyMappingMethods *PyTypeObject.tp_as_mapping¶
Покажчик на додаткову структуру, яка містить поля, що стосуються лише об’єктів, які реалізують протокол відображення. Ці поля задокументовані в Відображення структур об’єктів.
Наслідування:
Поле
tp_as_mapping
не успадковується, але поля, що містяться, успадковуються окремо.
-
hashfunc PyTypeObject.tp_hash¶
Додатковий покажчик на функцію, яка реалізує вбудовану функцію
hash()
.Підпис такий самий, як і для
PyObject_Hash()
:Py_hash_t tp_hash(PyObject *);
Значення
-1
не повинно повертатися як звичайне значення, що повертається; якщо під час обчислення хеш-значення виникає помилка, функція повинна встановити виняток і повернути-1
.When this field is not set (and
tp_richcompare
is not set), an attempt to take the hash of the object raisesTypeError
. This is the same as setting it toPyObject_HashNotImplemented()
.У цьому полі можна явно встановити значення
PyObject_HashNotImplemented()
, щоб заблокувати успадкування геш-методу від батьківського типу. Це інтерпретується як еквівалент__hash__ = None
на рівні Python, змушуючиisinstance(o, collections.Hashable)
правильно повертатиFalse
. Зауважте, що зворотне також вірно – встановлення__hash__ = None
для класу на рівні Python призведе до того, що слотtp_hash
буде встановлено наPyObject_HashNotImplemented()
.Наслідування:
Group:
tp_hash
,tp_richcompare
Це поле успадковується підтипами разом із
tp_richcompare
: підтип успадковує якtp_richcompare
, так іtp_hash
, коли підтипиtp_richcompare
іtp_hash
мають значенняNULL
.
-
ternaryfunc PyTypeObject.tp_call¶
Додатковий покажчик на функцію, яка реалізує виклик об’єкта. Це має бути
NULL
, якщо об’єкт не можна викликати. Підпис такий самий, як і дляPyObject_Call()
:PyObject *tp_call(PyObject *self, PyObject *args, PyObject *kwargs);
Наслідування:
Це поле успадковується підтипами.
-
reprfunc PyTypeObject.tp_str¶
Додатковий покажчик на функцію, яка реалізує вбудовану операцію
str()
. (Зауважте, щоstr
тепер є типом, аstr()
викликає конструктор для цього типу. Цей конструктор викликаєPyObject_Str()
для виконання фактичної роботи, аPyObject_Str()
викличе цей обробник.)Підпис такий самий, як і для
PyObject_Str()
:PyObject *tp_str(PyObject *self);
Функція має повертати рядок або об’єкт Unicode. Це має бути «дружнє» рядкове представлення об’єкта, оскільки це представлення буде використовуватися, серед іншого, функцією
print()
.Наслідування:
Це поле успадковується підтипами.
За замовчуванням:
Якщо це поле не встановлено,
PyObject_Repr()
викликається для повернення рядкового представлення.
-
getattrofunc PyTypeObject.tp_getattro¶
Додатковий покажчик на функцію get-attribute.
Підпис такий самий, як і для
PyObject_GetAttr()
:PyObject *tp_getattro(PyObject *self, PyObject *attr);
Зазвичай зручно встановити для цього поля значення
PyObject_GenericGetAttr()
, що реалізує звичайний спосіб пошуку атрибутів об’єкта.Наслідування:
Group:
tp_getattr
,tp_getattro
Це поле успадковується підтипами разом із
tp_getattr
: підтип успадковує іtp_getattr
, іtp_getattro
від своєї основи типу, коли підтипиtp_getattr
іtp_getattro
мають значенняNULL
.За замовчуванням:
PyBaseObject_Type
usesPyObject_GenericGetAttr()
.
-
setattrofunc PyTypeObject.tp_setattro¶
Додатковий вказівник на функцію для налаштування та видалення атрибутів.
Підпис такий самий, як і для
PyObject_SetAttr()
:int tp_setattro(PyObject *self, PyObject *attr, PyObject *value);
Крім того, для видалення атрибута має підтримуватися встановлення значення на
NULL
. Зазвичай зручно встановити для цього поля значенняPyObject_GenericSetAttr()
, що реалізує звичайний спосіб встановлення атрибутів об’єкта.Наслідування:
Group:
tp_setattr
,tp_setattro
Це поле успадковується підтипами разом із
tp_setattr
: підтип успадковує іtp_setattr
, іtp_setattro
від своєї основи типу, коли підтипиtp_setattr
іtp_setattro
мають значенняNULL
.За замовчуванням:
PyBaseObject_Type
usesPyObject_GenericSetAttr()
.
-
PyBufferProcs *PyTypeObject.tp_as_buffer¶
Покажчик на додаткову структуру, яка містить поля, що стосуються лише об’єктів, які реалізують інтерфейс буфера. Ці поля задокументовані в Буферні об’єктні структури.
Наслідування:
Поле
tp_as_buffer
не успадковується, але поля, що містяться, успадковуються окремо.
-
unsigned long PyTypeObject.tp_flags¶
Це поле є бітовою маскою різних прапорів. Деякі прапорці вказують на варіантну семантику для певних ситуацій; інші використовуються для вказівки, що певні поля в об’єкті типу (або в структурах розширення, на які посилаються через
tp_as_number
,tp_as_sequence
,tp_as_mapping
іtp_as_buffer
), які історично не завжди були присутні, є дійсними; якщо такий біт прапора очищений, до полів типу, які він охороняє, не можна звертатися, і вони повинні вважатися такими, що мають нульове абоNULL
значення.Наслідування:
Inheritance of this field is complicated. Most flag bits are inherited individually, i.e. if the base type has a flag bit set, the subtype inherits this flag bit. The flag bits that pertain to extension structures are strictly inherited if the extension structure is inherited, i.e. the base type’s value of the flag bit is copied into the subtype together with a pointer to the extension structure. The
Py_TPFLAGS_HAVE_GC
flag bit is inherited together with thetp_traverse
andtp_clear
fields, i.e. if thePy_TPFLAGS_HAVE_GC
flag bit is clear in the subtype and thetp_traverse
andtp_clear
fields in the subtype exist and haveNULL
values. .. XXX are most flag bits really inherited individually?За замовчуванням:
PyBaseObject_Type
usesPy_TPFLAGS_DEFAULT | Py_TPFLAGS_BASETYPE
.Бітові маски:
Наразі визначено такі бітові маски; їх можна об’єднати АБО за допомогою оператора
|
, щоб сформувати значення поляtp_flags
. МакросPyType_HasFeature()
приймає тип і значення прапорців, tp і f, і перевіряє, чиtp->tp_flags & f
є відмінним від нуля.-
Py_TPFLAGS_HEAPTYPE¶
This bit is set when the type object itself is allocated on the heap, for example, types created dynamically using
PyType_FromSpec()
. In this case, theob_type
field of its instances is considered a reference to the type, and the type object is INCREF’ed when a new instance is created, and DECREF’ed when an instance is destroyed (this does not apply to instances of subtypes; only the type referenced by the instance’s ob_type gets INCREF’ed or DECREF’ed). Heap types should also support garbage collection as they can form a reference cycle with their own module object.Наслідування:
???
-
Py_TPFLAGS_BASETYPE¶
Цей біт встановлюється, коли тип можна використовувати як базовий тип іншого типу. Якщо цей біт ясний, тип не може бути підтиповим (подібно до «фінального» класу в Java).
Наслідування:
???
-
Py_TPFLAGS_READY¶
Цей біт встановлюється, коли об’єкт типу повністю ініціалізовано
PyType_Ready()
.Наслідування:
???
-
Py_TPFLAGS_READYING¶
Цей біт встановлюється, коли
PyType_Ready()
знаходиться в процесі ініціалізації об’єкта типу.Наслідування:
???
-
Py_TPFLAGS_HAVE_GC¶
This bit is set when the object supports garbage collection. If this bit is set, instances must be created using
PyObject_GC_New
and destroyed usingPyObject_GC_Del()
. More information in section Підтримка циклічного збирання сміття. This bit also implies that the GC-related fieldstp_traverse
andtp_clear
are present in the type object.Наслідування:
Group:
Py_TPFLAGS_HAVE_GC
,tp_traverse
,tp_clear
The
Py_TPFLAGS_HAVE_GC
flag bit is inherited together with thetp_traverse
andtp_clear
fields, i.e. if thePy_TPFLAGS_HAVE_GC
flag bit is clear in the subtype and thetp_traverse
andtp_clear
fields in the subtype exist and haveNULL
values.
-
Py_TPFLAGS_DEFAULT¶
This is a bitmask of all the bits that pertain to the existence of certain fields in the type object and its extension structures. Currently, it includes the following bits:
Py_TPFLAGS_HAVE_STACKLESS_EXTENSION
.Наслідування:
???
-
Py_TPFLAGS_METHOD_DESCRIPTOR¶
Цей біт вказує, що об’єкти поводяться як незв’язані методи.
Якщо цей прапор встановлено для
type(meth)
, тоді:meth.__get__(obj, cls)(*args, **kwds)
(зobj
не None) має бути еквівалентнимmeth(obj, *args, **kwds)
.meth.__get__(None, cls)(*args, **kwds)
має бути еквівалентнимmeth(*args, **kwds)
.
Цей прапорець дає змогу оптимізувати типові виклики методів, як-от
obj.meth()
: він уникає створення тимчасового об’єкта «зв’язаного методу» дляobj.meth
.Added in version 3.8.
Наслідування:
This flag is never inherited by types without the
Py_TPFLAGS_IMMUTABLETYPE
flag set. For extension types, it is inherited whenevertp_descr_get
is inherited.
-
Py_TPFLAGS_MANAGED_DICT¶
This bit indicates that instances of the class have a ~object.__dict__ attribute, and that the space for the dictionary is managed by the VM.
If this flag is set,
Py_TPFLAGS_HAVE_GC
should also be set.Added in version 3.12.
Наслідування:
This flag is inherited unless the
tp_dictoffset
field is set in a superclass.
-
Py_TPFLAGS_MANAGED_WEAKREF¶
This bit indicates that instances of the class should be weakly referenceable.
Added in version 3.12.
Наслідування:
This flag is inherited unless the
tp_weaklistoffset
field is set in a superclass.
-
Py_TPFLAGS_ITEMS_AT_END¶
Only usable with variable-size types, i.e. ones with non-zero
tp_itemsize
.Indicates that the variable-sized portion of an instance of this type is at the end of the instance’s memory area, at an offset of
Py_TYPE(obj)->tp_basicsize
(which may be different in each subclass).When setting this flag, be sure that all superclasses either use this memory layout, or are not variable-sized. Python does not check this.
Added in version 3.12.
Наслідування:
This flag is inherited.
-
Py_TPFLAGS_LONG_SUBCLASS¶
-
Py_TPFLAGS_LIST_SUBCLASS¶
-
Py_TPFLAGS_TUPLE_SUBCLASS¶
-
Py_TPFLAGS_BYTES_SUBCLASS¶
-
Py_TPFLAGS_UNICODE_SUBCLASS¶
-
Py_TPFLAGS_DICT_SUBCLASS¶
-
Py_TPFLAGS_BASE_EXC_SUBCLASS¶
-
Py_TPFLAGS_TYPE_SUBCLASS¶
Ці позначки використовуються такими функціями, як
PyLong_Check()
, щоб швидко визначити, чи є тип підкласом вбудованого типу; такі спеціальні перевірки є швидшими, ніж загальні перевірки, наприкладPyObject_IsInstance()
. Користувальницькі типи, які успадковуються від вбудованих, повинні мати належним чином встановленіtp_flags
, інакше код, який взаємодіє з такими типами, поводитиметься по-різному залежно від типу перевірки, що використовується.
-
Py_TPFLAGS_HAVE_FINALIZE¶
Цей біт встановлюється, коли слот
tp_finalize
присутній у структурі типу.Added in version 3.4.
Застаріло починаючи з версії 3.8: Цей прапорець більше не потрібен, оскільки інтерпретатор припускає, що слот
tp_finalize
завжди присутній у структурі типу.
-
Py_TPFLAGS_HAVE_VECTORCALL¶
Цей біт встановлюється, коли клас реалізує vectorcall протокол. Перегляньте
tp_vectorcall_offset
для деталей.Наслідування:
This bit is inherited if
tp_call
is also inherited.Added in version 3.9.
Змінено в версії 3.12: This flag is now removed from a class when the class’s
__call__()
method is reassigned.This flag can now be inherited by mutable classes.
-
Py_TPFLAGS_IMMUTABLETYPE¶
Цей біт встановлено для об’єктів типу, які є незмінними: атрибути типу не можна ні встановити, ні видалити.
PyType_Ready()
автоматично застосовує цей прапорець до статичних типів.Наслідування:
Цей прапорець не успадковується.
Added in version 3.10.
-
Py_TPFLAGS_DISALLOW_INSTANTIATION¶
Заборонити створення екземплярів типу: установіть для
tp_new
значення NULL і не створюйте ключ__new__
у словнику типу.Прапор має бути встановлений до створення типу, а не після. Наприклад, його потрібно встановити перед викликом
PyType_Ready()
для типу.Прапорець автоматично встановлюється для статичних типів, якщо
tp_base
має значення NULL або&PyBaseObject_Type
іtp_new
має значення NULL.Наслідування:
This flag is not inherited. However, subclasses will not be instantiable unless they provide a non-NULL
tp_new
(which is only possible via the C API).Примітка
To disallow instantiating a class directly but allow instantiating its subclasses (e.g. for an abstract base class), do not use this flag. Instead, make
tp_new
only succeed for subclasses.Added in version 3.10.
-
Py_TPFLAGS_MAPPING¶
Цей біт вказує на те, що екземпляри класу можуть відповідати шаблонам відображення, якщо використовуються як суб’єкт блоку
match
. Він автоматично встановлюється під час реєстрації або підкласуcollections.abc.Mapping
і скасовується під час реєстраціїcollections.abc.Sequence
.Примітка
Py_TPFLAGS_MAPPING
andPy_TPFLAGS_SEQUENCE
are mutually exclusive; it is an error to enable both flags simultaneously.Наслідування:
This flag is inherited by types that do not already set
Py_TPFLAGS_SEQUENCE
.Дивись також
PEP 634 – Структурне зіставлення шаблонів: Специфікація
Added in version 3.10.
-
Py_TPFLAGS_SEQUENCE¶
Цей біт вказує на те, що екземпляри класу можуть відповідати шаблонам послідовності, коли використовуються як суб’єкт блоку
match
. Він автоматично встановлюється під час реєстрації або підкласуcollections.abc.Sequence
і скасовується під час реєстраціїcollections.abc.Mapping
.Примітка
Py_TPFLAGS_MAPPING
andPy_TPFLAGS_SEQUENCE
are mutually exclusive; it is an error to enable both flags simultaneously.Наслідування:
This flag is inherited by types that do not already set
Py_TPFLAGS_MAPPING
.Дивись також
PEP 634 – Структурне зіставлення шаблонів: Специфікація
Added in version 3.10.
-
Py_TPFLAGS_VALID_VERSION_TAG¶
Internal. Do not set or unset this flag. To indicate that a class has changed call
PyType_Modified()
Попередження
This flag is present in header files, but is an internal feature and should not be used. It will be removed in a future version of CPython
-
Py_TPFLAGS_HEAPTYPE¶
-
const char *PyTypeObject.tp_doc¶
An optional pointer to a NUL-terminated C string giving the docstring for this type object. This is exposed as the
__doc__
attribute on the type and instances of the type.Наслідування:
Це поле не успадковується підтипами.
-
traverseproc PyTypeObject.tp_traverse¶
An optional pointer to a traversal function for the garbage collector. This is only used if the
Py_TPFLAGS_HAVE_GC
flag bit is set. The signature is:int tp_traverse(PyObject *self, visitproc visit, void *arg);
Більше інформації про схему збирання сміття Python можна знайти в розділі Підтримка циклічного збирання сміття.
The
tp_traverse
pointer is used by the garbage collector to detect reference cycles. A typical implementation of atp_traverse
function simply callsPy_VISIT()
on each of the instance’s members that are Python objects that the instance owns. For example, this is functionlocal_traverse()
from the_thread
extension module:static int local_traverse(localobject *self, visitproc visit, void *arg) { Py_VISIT(self->args); Py_VISIT(self->kw); Py_VISIT(self->dict); return 0; }
Зауважте, що
Py_VISIT()
викликається лише для тих членів, які можуть брати участь у еталонних циклах. Хоча також є членself->key
, він може бути лишеNULL
або рядком Python і тому не може бути частиною еталонного циклу.З іншого боку, навіть якщо ви знаєте, що член ніколи не може бути частиною циклу, як допомога в налагодженні, ви можете все одно відвідати його, щоб скористатися функцією
get_referents()
модуляgc
буде включати його.Попередження
Під час реалізації
tp_traverse
необхідно відвідати лише члени, якими володіє примірник (через наявність сильних посилань на них). Наприклад, якщо об’єкт підтримує слабкі посилання через слотtp_weaklist
, вказівник, що підтримує зв’язаний список (на що вказує tp_weaklist), не має відвідуватися, як це робить екземпляр не володіє безпосередньо слабкими посиланнями на себе (список слабких посилань існує для підтримки механізму слабких посилань, але екземпляр не має сильного посилання на елементи всередині нього, оскільки їх можна видалити, навіть якщо екземпляр все ще живий).Note that
Py_VISIT()
requires the visit and arg parameters tolocal_traverse()
to have these specific names; don’t name them just anything.Екземпляри виділених у купі типів містять посилання на свій тип. Таким чином, їх функція обходу повинна або відвідати
Py_TYPE(self)
, або делегувати цю відповідальність, викликавшиtp_traverse
іншого типу, виділеного купою (наприклад, суперкласу, виділеного купою). Якщо вони цього не роблять, об’єкт типу може не збиратися сміттям.Змінено в версії 3.9: Очікується, що типи, виділені в купі, відвідуватимуть
Py_TYPE(self)
уtp_traverse
. У попередніх версіях Python, через помилку 40217, це може призвести до збоїв у підкласах.Наслідування:
Group:
Py_TPFLAGS_HAVE_GC
,tp_traverse
,tp_clear
This field is inherited by subtypes together with
tp_clear
and thePy_TPFLAGS_HAVE_GC
flag bit: the flag bit,tp_traverse
, andtp_clear
are all inherited from the base type if they are all zero in the subtype.
-
inquiry PyTypeObject.tp_clear¶
An optional pointer to a clear function for the garbage collector. This is only used if the
Py_TPFLAGS_HAVE_GC
flag bit is set. The signature is:int tp_clear(PyObject *);
Функція-член
tp_clear
використовується для розриву еталонних циклів у циклічному смітті, виявленому збирачем сміття. Взяті разом, усі функціїtp_clear
у системі мають поєднуватися, щоб розірвати всі цикли посилань. Це непомітно, і якщо є сумніви, додайте функціюtp_clear
. Наприклад, тип кортежу не реалізує функціюtp_clear
, тому що можна довести, що жоден еталонний цикл не може повністю складатися з кортежів. Тому функціїtp_clear
інших типів мають бути достатніми, щоб розірвати будь-який цикл, що містить кортеж. Це не відразу очевидно, і рідко є вагомі причини уникати реалізаціїtp_clear
.Реалізації
tp_clear
мають видаляти посилання екземпляра на ті з його членів, які можуть бути об’єктами Python, і встановлювати його покажчики на ці члени наNULL
, як у наступному прикладі:static int local_clear(localobject *self) { Py_CLEAR(self->key); Py_CLEAR(self->args); Py_CLEAR(self->kw); Py_CLEAR(self->dict); return 0; }
The
Py_CLEAR()
macro should be used, because clearing references is delicate: the reference to the contained object must not be released (viaPy_DECREF()
) until after the pointer to the contained object is set toNULL
. This is because releasing the reference may cause the contained object to become trash, triggering a chain of reclamation activity that may include invoking arbitrary Python code (due to finalizers, or weakref callbacks, associated with the contained object). If it’s possible for such code to reference self again, it’s important that the pointer to the contained object beNULL
at that time, so that self knows the contained object can no longer be used. ThePy_CLEAR()
macro performs the operations in a safe order.Зауважте, що
tp_clear
не завжди викликається до того, як екземпляр буде звільнено. Наприклад, коли підрахунку посилань достатньо, щоб визначити, що об’єкт більше не використовується, циклічний збирач сміття не залучається, і безпосередньо викликаєтьсяtp_dealloc
.Оскільки мета функцій
tp_clear
— розірвати цикли посилань, немає необхідності очищати об’єкти, що містяться, як-от рядки Python або цілі числа Python, які не можуть брати участь у циклах посилань. З іншого боку, може бути зручно очистити всі об’єкти Python і написати функцію типуtp_dealloc
для викликуtp_clear
.Більше інформації про схему збирання сміття Python можна знайти в розділі Підтримка циклічного збирання сміття.
Наслідування:
Group:
Py_TPFLAGS_HAVE_GC
,tp_traverse
,tp_clear
This field is inherited by subtypes together with
tp_traverse
and thePy_TPFLAGS_HAVE_GC
flag bit: the flag bit,tp_traverse
, andtp_clear
are all inherited from the base type if they are all zero in the subtype.
-
richcmpfunc PyTypeObject.tp_richcompare¶
Додатковий вказівник на функцію розширеного порівняння, сигнатура якої:
PyObject *tp_richcompare(PyObject *self, PyObject *other, int op);
Перший параметр гарантовано є екземпляром типу, визначеного
PyTypeObject
.Функція має повертати результат порівняння (зазвичай
Py_True
абоPy_False
). Якщо порівняння не визначено, воно має повернутиPy_NotImplemented
, якщо сталася інша помилка, воно має повернутиNULL
і встановити умову винятку.Наступні константи визначено для використання як третій аргумент для
tp_richcompare
і дляPyObject_RichCompare()
:Постійний
Порівняння
-
Py_LT¶
<
-
Py_LE¶
<=
-
Py_EQ¶
==
-
Py_NE¶
!=
-
Py_GT¶
>
-
Py_GE¶
>=
Наступний макрос визначено для полегшення написання розширених функцій порівняння:
-
Py_RETURN_RICHCOMPARE(VAL_A, VAL_B, op)¶
Повертає з функції
Py_True
абоPy_False
, залежно від результату порівняння. VAL_A і VAL_B повинні бути впорядковані операторами порівняння C (наприклад, вони можуть бути C int або float). Третій аргумент визначає необхідну операцію, як дляPyObject_RichCompare()
.The returned value is a new strong reference.
У разі помилки встановлює виняток і повертає
NULL
із функції.Added in version 3.7.
Наслідування:
Group:
tp_hash
,tp_richcompare
Це поле успадковується підтипами разом із
tp_hash
: підтип успадковуєtp_richcompare
іtp_hash
, коли підтипtp_richcompare
іtp_hash
мають значенняNULL
.За замовчуванням:
PyBaseObject_Type
provides atp_richcompare
implementation, which may be inherited. However, if onlytp_hash
is defined, not even the inherited function is used and instances of the type will not be able to participate in any comparisons.-
Py_LT¶
-
Py_ssize_t PyTypeObject.tp_weaklistoffset¶
While this field is still supported,
Py_TPFLAGS_MANAGED_WEAKREF
should be used instead, if at all possible.If the instances of this type are weakly referenceable, this field is greater than zero and contains the offset in the instance structure of the weak reference list head (ignoring the GC header, if present); this offset is used by
PyObject_ClearWeakRefs()
and thePyWeakref_*
functions. The instance structure needs to include a field of type PyObject* which is initialized toNULL
.Не плутайте це поле з
tp_weaklist
; це заголовок списку для слабких посилань на сам об’єкт типу.It is an error to set both the
Py_TPFLAGS_MANAGED_WEAKREF
bit andtp_weaklistoffset
.Наслідування:
Це поле успадковується підтипами, але перегляньте наведені нижче правила. Підтип може замінити це зміщення; це означає, що підтип використовує інший слабкий заголовок списку посилань, ніж базовий тип. Оскільки заголовок списку завжди можна знайти через
tp_weaklistoffset
, це не повинно бути проблемою.За замовчуванням:
If the
Py_TPFLAGS_MANAGED_WEAKREF
bit is set in thetp_flags
field, thentp_weaklistoffset
will be set to a negative value, to indicate that it is unsafe to use this field.
-
getiterfunc PyTypeObject.tp_iter¶
Додатковий покажчик на функцію, яка повертає iterator для об’єкта. Його наявність зазвичай сигналізує про те, що екземпляри цього типу iterable (хоча послідовності можуть бути ітерованими без цієї функції).
Ця функція має той самий підпис, що й
PyObject_GetIter()
:PyObject *tp_iter(PyObject *self);
Наслідування:
Це поле успадковується підтипами.
-
iternextfunc PyTypeObject.tp_iternext¶
Додатковий покажчик на функцію, яка повертає наступний елемент у iterator. Підпис:
PyObject *tp_iternext(PyObject *self);
Коли ітератор вичерпано, він повинен повернути
NULL
; ВинятокStopIteration
може бути встановлений або не встановлений. Коли виникає інша помилка, вона також має повернутиNULL
. Його наявність сигналізує про те, що екземпляри цього типу є ітераторами.Типи ітераторів також повинні визначати функцію
tp_iter
, і ця функція має повертати сам екземпляр ітератора (а не новий екземпляр ітератора).Ця функція має той самий підпис, що й
PyIter_Next()
.Наслідування:
Це поле успадковується підтипами.
-
struct PyMethodDef *PyTypeObject.tp_methods¶
Необов’язковий вказівник на статичний масив структур
PyMethodDef
із закінченнямNULL
, що оголошує регулярні методи цього типу.Для кожного запису в масиві до словника типу (див.
tp_dict
нижче) додається запис, що містить дескриптор методу.Наслідування:
Це поле не успадковується підтипами (методи успадковуються через інший механізм).
-
struct PyMemberDef *PyTypeObject.tp_members¶
Необов’язковий вказівник на статичний масив структур
PyMemberDef
із закінченнямNULL
, що оголошує регулярні члени даних (поля або слоти) екземплярів цього типу.Для кожного запису в масиві до словника типу (див.
tp_dict
нижче) додається запис, що містить дескриптор члена.Наслідування:
Це поле не успадковується підтипами (члени успадковуються через інший механізм).
-
struct PyGetSetDef *PyTypeObject.tp_getset¶
Додатковий вказівник на статичний масив структур
PyGetSetDef
із закінченнямNULL
, що оголошує обчислені атрибути екземплярів цього типу.Для кожного запису в масиві до словника типу (див.
tp_dict
нижче) додається запис, що містить дескриптор getset.Наслідування:
Це поле не успадковується підтипами (обчислені атрибути успадковуються за допомогою іншого механізму).
-
PyTypeObject *PyTypeObject.tp_base¶
Додатковий покажчик на базовий тип, властивості якого успадковуються. На цьому рівні підтримується лише одиночне успадкування; множинне успадкування вимагає динамічного створення об’єкта типу шляхом виклику метатипу.
Примітка
Ініціалізація слота підпорядковується правилам ініціалізації глобалів. C99 вимагає, щоб ініціалізатори були «константами адреси». Позначення функцій, такі як
PyType_GenericNew()
, з неявним перетворенням на вказівник, є дійсними константами адрес C99.However, the unary „&“ operator applied to a non-static variable like
PyBaseObject_Type
is not required to produce an address constant. Compilers may support this (gcc does), MSVC does not. Both compilers are strictly standard conforming in this particular behavior.Отже,
tp_base
має бути встановлено у функції ініціалізації модуля розширення.Наслідування:
Це поле не успадковується підтипами (очевидно).
За замовчуванням:
У цьому полі за замовчуванням встановлено
&PyBaseObject_Type
(що програмістам на Python відоме як типobject
).
-
PyObject *PyTypeObject.tp_dict¶
Словник типу зберігається тут у
PyType_Ready()
.This field should normally be initialized to
NULL
before PyType_Ready is called; it may also be initialized to a dictionary containing initial attributes for the type. OncePyType_Ready()
has initialized the type, extra attributes for the type may be added to this dictionary only if they don’t correspond to overloaded operations (like__add__()
). Once initialization for the type has finished, this field should be treated as read-only.Some types may not store their dictionary in this slot. Use
PyType_GetDict()
to retrieve the dictionary for an arbitrary type.Змінено в версії 3.12: Internals detail: For static builtin types, this is always
NULL
. Instead, the dict for such types is stored onPyInterpreterState
. UsePyType_GetDict()
to get the dict for an arbitrary type.Наслідування:
Це поле не успадковується підтипами (хоча атрибути, визначені тут, успадковуються за допомогою іншого механізму).
За замовчуванням:
Якщо це поле має значення
NULL
,PyType_Ready()
призначить йому новий словник.Попередження
Небезпечно використовувати
PyDict_SetItem()
або іншим чином змінюватиtp_dict
за допомогою словника C-API.
-
descrgetfunc PyTypeObject.tp_descr_get¶
Додатковий вказівник на функцію «отримання дескриптора».
Сигнатура функції:
PyObject * tp_descr_get(PyObject *self, PyObject *obj, PyObject *type);
Наслідування:
Це поле успадковується підтипами.
-
descrsetfunc PyTypeObject.tp_descr_set¶
Додатковий покажчик на функцію для встановлення та видалення значення дескриптора.
Сигнатура функції:
int tp_descr_set(PyObject *self, PyObject *obj, PyObject *value);
Аргумент value має значення
NULL
, щоб видалити значення.Наслідування:
Це поле успадковується підтипами.
-
Py_ssize_t PyTypeObject.tp_dictoffset¶
While this field is still supported,
Py_TPFLAGS_MANAGED_DICT
should be used instead, if at all possible.Якщо екземпляри цього типу мають словник, що містить змінні екземпляра, це поле ненульове та містить зміщення в екземплярах типу словника змінних екземплярів; це зміщення використовується
PyObject_GenericGetAttr()
.Не плутайте це поле з
tp_dict
; це словник для атрибутів самого об’єкта типу.The value specifies the offset of the dictionary from the start of the instance structure.
The
tp_dictoffset
should be regarded as write-only. To get the pointer to the dictionary callPyObject_GenericGetDict()
. CallingPyObject_GenericGetDict()
may need to allocate memory for the dictionary, so it is may be more efficient to callPyObject_GetAttr()
when accessing an attribute on the object.It is an error to set both the
Py_TPFLAGS_MANAGED_WEAKREF
bit andtp_dictoffset
.Наслідування:
This field is inherited by subtypes. A subtype should not override this offset; doing so could be unsafe, if C code tries to access the dictionary at the previous offset. To properly support inheritance, use
Py_TPFLAGS_MANAGED_DICT
.За замовчуванням:
This slot has no default. For static types, if the field is
NULL
then no__dict__
gets created for instances.If the
Py_TPFLAGS_MANAGED_DICT
bit is set in thetp_dict
field, thentp_dictoffset
will be set to-1
, to indicate that it is unsafe to use this field.
-
initproc PyTypeObject.tp_init¶
Додатковий покажчик на функцію ініціалізації екземпляра.
This function corresponds to the
__init__()
method of classes. Like__init__()
, it is possible to create an instance without calling__init__()
, and it is possible to reinitialize an instance by calling its__init__()
method again.Сигнатура функції:
int tp_init(PyObject *self, PyObject *args, PyObject *kwds);
The self argument is the instance to be initialized; the args and kwds arguments represent positional and keyword arguments of the call to
__init__()
.Функція
tp_init
, якщо вона неNULL
, викликається, коли екземпляр створюється звичайним викликом його типу, після функціїtp_new
типу. повернув екземпляр типу. Якщо функціяtp_new
повертає екземпляр якогось іншого типу, який не є підтипом вихідного типу, функціяtp_init
не викликається; якщоtp_new
повертає екземпляр підтипу вихідного типу, викликаєтьсяtp_init
підтипу.У разі успіху повертає
0
,-1
і встановлює виняток у випадку помилки.Наслідування:
Це поле успадковується підтипами.
За замовчуванням:
Для статичних типів це поле не має значення за замовчуванням.
-
allocfunc PyTypeObject.tp_alloc¶
Додатковий покажчик на функцію виділення екземпляра.
Сигнатура функції:
PyObject *tp_alloc(PyTypeObject *self, Py_ssize_t nitems);
Наслідування:
Це поле успадковується статичними підтипами, але не динамічними підтипами (підтипами, створеними оператором класу).
За замовчуванням:
Для динамічних підтипів це поле завжди має значення
PyType_GenericAlloc()
, щоб примусово використовувати стандартну стратегію розподілу купи.For static subtypes,
PyBaseObject_Type
usesPyType_GenericAlloc()
. That is the recommended value for all statically defined types.
-
newfunc PyTypeObject.tp_new¶
Додатковий покажчик на функцію створення екземпляра.
Сигнатура функції:
PyObject *tp_new(PyTypeObject *subtype, PyObject *args, PyObject *kwds);
Аргумент subtype — це тип об’єкта, що створюється; аргументи args і kwds представляють позиційні та ключові аргументи виклику типу. Зауважте, що subtype не обов’язково дорівнює типу, чия функція
tp_new
викликається; це може бути підтип цього типу (але не непов’язаний тип).Функція
tp_new
має викликатиsubtype->tp_alloc(subtype, nitems)
, щоб виділити простір для об’єкта, а потім виконувати подальшу ініціалізацію лише стільки, скільки це абсолютно необхідно. Ініціалізацію, яку можна безпечно проігнорувати або повторити, слід розмістити в обробникуtp_init
. Хорошим емпіричним правилом є те, що для незмінних типів уся ініціалізація має відбуватися вtp_new
, тоді як для змінних типів більшість ініціалізацій має бути відкладено доtp_init
.Set the
Py_TPFLAGS_DISALLOW_INSTANTIATION
flag to disallow creating instances of the type in Python.Наслідування:
Це поле успадковується підтипами, за винятком статичних типів, у яких
tp_base
має значенняNULL
або&PyBaseObject_Type
.За замовчуванням:
Для статичних типів це поле не має типового значення. Це означає, що якщо слот визначено як
NULL
, тип не можна викликати для створення нових екземплярів; мабуть, існує якийсь інший спосіб створення екземплярів, як-от фабрична функція.
-
freefunc PyTypeObject.tp_free¶
Додатковий покажчик на функцію звільнення екземпляра. Його підпис:
void tp_free(void *self);
Ініціалізатор, сумісний із цим підписом, це
PyObject_Free()
.Наслідування:
Це поле успадковується статичними підтипами, але не динамічними підтипами (підтипами, створеними оператором класу)
За замовчуванням:
In dynamic subtypes, this field is set to a deallocator suitable to match
PyType_GenericAlloc()
and the value of thePy_TPFLAGS_HAVE_GC
flag bit.For static subtypes,
PyBaseObject_Type
usesPyObject_Del()
.
-
inquiry PyTypeObject.tp_is_gc¶
Додатковий покажчик на функцію, яка викликається збирачем сміття.
The garbage collector needs to know whether a particular object is collectible or not. Normally, it is sufficient to look at the object’s type’s
tp_flags
field, and check thePy_TPFLAGS_HAVE_GC
flag bit. But some types have a mixture of statically and dynamically allocated instances, and the statically allocated instances are not collectible. Such types should define this function; it should return1
for a collectible instance, and0
for a non-collectible instance. The signature is:int tp_is_gc(PyObject *self);
(Єдиним прикладом цього є самі типи. Метатип
PyType_Type
визначає цю функцію, щоб розрізняти статично та динамічно виділені типи.)Наслідування:
Це поле успадковується підтипами.
За замовчуванням:
This slot has no default. If this field is
NULL
,Py_TPFLAGS_HAVE_GC
is used as the functional equivalent.
-
PyObject *PyTypeObject.tp_bases¶
Кортеж базових типів.
This field should be set to
NULL
and treated as read-only. Python will fill it in when the type isinitialized
.For dynamically created classes, the
Py_tp_bases
slot
can be used instead of the bases argument ofPyType_FromSpecWithBases()
. The argument form is preferred.Попередження
Multiple inheritance does not work well for statically defined types. If you set
tp_bases
to a tuple, Python will not raise an error, but some slots will only be inherited from the first base.Наслідування:
Це поле не успадковується.
-
PyObject *PyTypeObject.tp_mro¶
Кортеж, що містить розширений набір базових типів, починаючи з самого типу та закінчуючи
object
, у порядку вирішення методів.This field should be set to
NULL
and treated as read-only. Python will fill it in when the type isinitialized
.Наслідування:
Це поле не успадковується; він обчислюється за допомогою
PyType_Ready()
.
-
PyObject *PyTypeObject.tp_cache¶
Невикористаний. Тільки для внутрішнього використання.
Наслідування:
Це поле не успадковується.
-
void *PyTypeObject.tp_subclasses¶
A collection of subclasses. Internal use only. May be an invalid pointer.
To get a list of subclasses, call the Python method
__subclasses__()
.Змінено в версії 3.12: For some types, this field does not hold a valid PyObject*. The type was changed to void* to indicate this.
Наслідування:
Це поле не успадковується.
-
PyObject *PyTypeObject.tp_weaklist¶
Голова списку слабких посилань для слабких посилань на об’єкт цього типу. Не передається у спадок. Тільки для внутрішнього використання.
Змінено в версії 3.12: Internals detail: For the static builtin types this is always
NULL
, even if weakrefs are added. Instead, the weakrefs for each are stored onPyInterpreterState
. Use the public C-API or the internal_PyObject_GET_WEAKREFS_LISTPTR()
macro to avoid the distinction.Наслідування:
Це поле не успадковується.
-
destructor PyTypeObject.tp_del¶
Це поле застаріло. Натомість використовуйте
tp_finalize
.
-
unsigned int PyTypeObject.tp_version_tag¶
Використовується для індексування в кеш методів. Тільки для внутрішнього використання.
Наслідування:
Це поле не успадковується.
-
destructor PyTypeObject.tp_finalize¶
Додатковий покажчик на функцію завершення екземпляра. Його підпис:
void tp_finalize(PyObject *self);
Якщо встановлено
tp_finalize
, інтерпретатор викликає його один раз під час завершення екземпляра. Він викликається або зі збирача сміття (якщо екземпляр є частиною ізольованого еталонного циклу), або безпосередньо перед звільненням об’єкта. У будь-якому випадку, він гарантовано буде викликаний перед спробою розірвати еталонні цикли, гарантуючи, що він знайде об’єкт у нормальному стані.tp_finalize
не повинен змінювати поточний статус винятку; отже, рекомендований спосіб написання нетривіального фіналізатора:static void local_finalize(PyObject *self) { PyObject *error_type, *error_value, *error_traceback; /* Save the current exception, if any. */ PyErr_Fetch(&error_type, &error_value, &error_traceback); /* ... */ /* Restore the saved exception. */ PyErr_Restore(error_type, error_value, error_traceback); }
Наслідування:
Це поле успадковується підтипами.
Added in version 3.4.
Змінено в версії 3.8: Before version 3.8 it was necessary to set the
Py_TPFLAGS_HAVE_FINALIZE
flags bit in order for this field to be used. This is no longer required.Дивись також
«Безпечна фіналізація об’єкта» (PEP 442)
-
vectorcallfunc PyTypeObject.tp_vectorcall¶
Vectorcall function to use for calls of this type object. In other words, it is used to implement vectorcall for
type.__call__
. Iftp_vectorcall
isNULL
, the default call implementation using__new__()
and__init__()
is used.Наслідування:
Це поле ніколи не успадковується.
Added in version 3.9: (поле існує з 3.8, але використовується лише з 3.9)
-
unsigned char PyTypeObject.tp_watched¶
Internal. Do not use.
Added in version 3.12.
Статичні типи¶
Традиційно типи, визначені в коді C, є статичними, тобто статична структура PyTypeObject
визначається безпосередньо в коді та ініціалізується за допомогою PyType_Ready()
.
Це призводить до типів, які обмежені відносно типів, визначених у Python:
Статичні типи обмежені однією базою, тобто вони не можуть використовувати множинне успадкування.
Об’єкти статичного типу (але не обов’язково їх екземпляри) незмінні. Неможливо додати або змінити атрибути об’єкта типу з Python.
Об’єкти статичного типу є спільними для суб-інтерпретаторів, тому вони не повинні включати будь-який стан, специфічний для субінтерпретатора.
Also, since PyTypeObject
is only part of the Limited API as an opaque struct, any extension modules using static types must be
compiled for a specific Python minor version.
Типи купи¶
An alternative to static types is heap-allocated types,
or heap types for short, which correspond closely to classes created by
Python’s class
statement. Heap types have the Py_TPFLAGS_HEAPTYPE
flag set.
This is done by filling a PyType_Spec
structure and calling
PyType_FromSpec()
, PyType_FromSpecWithBases()
,
PyType_FromModuleAndSpec()
, or PyType_FromMetaclass()
.
Числові об’єктні структури¶
-
type PyNumberMethods¶
Ця структура містить покажчики на функції, які об’єкт використовує для реалізації протоколу чисел. Кожна функція використовується функцією з подібною назвою, задокументованою в розділі Номер протоколу.
Ось визначення структури:
typedef struct { binaryfunc nb_add; binaryfunc nb_subtract; binaryfunc nb_multiply; binaryfunc nb_remainder; binaryfunc nb_divmod; ternaryfunc nb_power; unaryfunc nb_negative; unaryfunc nb_positive; unaryfunc nb_absolute; inquiry nb_bool; unaryfunc nb_invert; binaryfunc nb_lshift; binaryfunc nb_rshift; binaryfunc nb_and; binaryfunc nb_xor; binaryfunc nb_or; unaryfunc nb_int; void *nb_reserved; unaryfunc nb_float; binaryfunc nb_inplace_add; binaryfunc nb_inplace_subtract; binaryfunc nb_inplace_multiply; binaryfunc nb_inplace_remainder; ternaryfunc nb_inplace_power; binaryfunc nb_inplace_lshift; binaryfunc nb_inplace_rshift; binaryfunc nb_inplace_and; binaryfunc nb_inplace_xor; binaryfunc nb_inplace_or; binaryfunc nb_floor_divide; binaryfunc nb_true_divide; binaryfunc nb_inplace_floor_divide; binaryfunc nb_inplace_true_divide; unaryfunc nb_index; binaryfunc nb_matrix_multiply; binaryfunc nb_inplace_matrix_multiply; } PyNumberMethods;
Примітка
Двійкові та потрійні функції повинні перевіряти тип усіх своїх операндів і здійснювати необхідні перетворення (принаймні один із операндів є екземпляром визначеного типу). Якщо операція не визначена для заданих операндів, двійкові та тернарні функції повинні повернути
Py_NotImplemented
, якщо сталася інша помилка, вони повинні повернутиNULL
і встановити виняток.Примітка
The
nb_reserved
field should always beNULL
. It was previously callednb_long
, and was renamed in Python 3.0.1.
-
binaryfunc PyNumberMethods.nb_add¶
-
binaryfunc PyNumberMethods.nb_subtract¶
-
binaryfunc PyNumberMethods.nb_multiply¶
-
binaryfunc PyNumberMethods.nb_remainder¶
-
binaryfunc PyNumberMethods.nb_divmod¶
-
ternaryfunc PyNumberMethods.nb_power¶
-
unaryfunc PyNumberMethods.nb_negative¶
-
unaryfunc PyNumberMethods.nb_positive¶
-
unaryfunc PyNumberMethods.nb_absolute¶
-
inquiry PyNumberMethods.nb_bool¶
-
unaryfunc PyNumberMethods.nb_invert¶
-
binaryfunc PyNumberMethods.nb_lshift¶
-
binaryfunc PyNumberMethods.nb_rshift¶
-
binaryfunc PyNumberMethods.nb_and¶
-
binaryfunc PyNumberMethods.nb_xor¶
-
binaryfunc PyNumberMethods.nb_or¶
-
unaryfunc PyNumberMethods.nb_int¶
-
void *PyNumberMethods.nb_reserved¶
-
unaryfunc PyNumberMethods.nb_float¶
-
binaryfunc PyNumberMethods.nb_inplace_add¶
-
binaryfunc PyNumberMethods.nb_inplace_subtract¶
-
binaryfunc PyNumberMethods.nb_inplace_multiply¶
-
binaryfunc PyNumberMethods.nb_inplace_remainder¶
-
ternaryfunc PyNumberMethods.nb_inplace_power¶
-
binaryfunc PyNumberMethods.nb_inplace_lshift¶
-
binaryfunc PyNumberMethods.nb_inplace_rshift¶
-
binaryfunc PyNumberMethods.nb_inplace_and¶
-
binaryfunc PyNumberMethods.nb_inplace_xor¶
-
binaryfunc PyNumberMethods.nb_inplace_or¶
-
binaryfunc PyNumberMethods.nb_floor_divide¶
-
binaryfunc PyNumberMethods.nb_true_divide¶
-
binaryfunc PyNumberMethods.nb_inplace_floor_divide¶
-
binaryfunc PyNumberMethods.nb_inplace_true_divide¶
-
unaryfunc PyNumberMethods.nb_index¶
-
binaryfunc PyNumberMethods.nb_matrix_multiply¶
-
binaryfunc PyNumberMethods.nb_inplace_matrix_multiply¶
Відображення структур об’єктів¶
-
type PyMappingMethods¶
Ця структура містить покажчики на функції, які об’єкт використовує для реалізації протоколу відображення. Він складається з трьох членів:
-
lenfunc PyMappingMethods.mp_length¶
Ця функція використовується
PyMapping_Size()
іPyObject_Size()
і має однакову сигнатуру. Цей слот може бути встановлений наNULL
, якщо об’єкт не має визначеної довжини.
-
binaryfunc PyMappingMethods.mp_subscript¶
Ця функція використовується
PyObject_GetItem()
іPySequence_GetSlice()
, і має такий же підпис, якPyObject_GetItem()
. Цей слот має бути заповнений, щоб функціяPyMapping_Check()
повернула1
, інакше вона може бутиNULL
.
-
objobjargproc PyMappingMethods.mp_ass_subscript¶
This function is used by
PyObject_SetItem()
,PyObject_DelItem()
,PySequence_SetSlice()
andPySequence_DelSlice()
. It has the same signature asPyObject_SetItem()
, but v can also be set toNULL
to delete an item. If this slot isNULL
, the object does not support item assignment and deletion.
Структури об’єктів послідовності¶
-
type PySequenceMethods¶
Ця структура містить покажчики на функції, які об’єкт використовує для реалізації протоколу послідовності.
-
lenfunc PySequenceMethods.sq_length¶
Ця функція використовується
PySequence_Size()
іPyObject_Size()
і має однакову сигнатуру. Він також використовується для обробки негативних індексів через слотиsq_item
іsq_ass_item
.
-
binaryfunc PySequenceMethods.sq_concat¶
Ця функція використовується
PySequence_Concat()
і має такий самий підпис. Він також використовується оператором+
після спроби додавання чисел через слотnb_add
.
-
ssizeargfunc PySequenceMethods.sq_repeat¶
Ця функція використовується
PySequence_Repeat()
і має такий самий підпис. Він також використовується оператором*
після спроби числового множення через слотnb_multiply
.
-
ssizeargfunc PySequenceMethods.sq_item¶
Ця функція використовується
PySequence_GetItem()
і має такий самий підпис. Він також використовуєтьсяPyObject_GetItem()
після спроби підписки через слотmp_subscript
. Цей слот має бути заповнений, щоб функціяPySequence_Check()
повертала1
, інакше вона може бутиNULL
.Negative indexes are handled as follows: if the
sq_length
slot is filled, it is called and the sequence length is used to compute a positive index which is passed tosq_item
. Ifsq_length
isNULL
, the index is passed as is to the function.
-
ssizeobjargproc PySequenceMethods.sq_ass_item¶
Ця функція використовується
PySequence_SetItem()
і має такий самий підпис. Він також використовуєтьсяPyObject_SetItem()
іPyObject_DelItem()
після спроби призначення та видалення елемента через слотmp_ass_subscript
. Цей слот можна залишитиNULL
, якщо об’єкт не підтримує призначення та видалення елементів.
-
objobjproc PySequenceMethods.sq_contains¶
Ця функція може використовуватися
PySequence_Contains()
і має такий самий підпис. Цей слот можна залишитиNULL
, у цьому випадкуPySequence_Contains()
просто обходить послідовність, поки не знайде збіг.
-
binaryfunc PySequenceMethods.sq_inplace_concat¶
Ця функція використовується
PySequence_InPlaceConcat()
і має такий самий підпис. Він повинен змінити свій перший операнд і повернути його. Цей слот можна залишитиNULL
, у цьому випадкуPySequence_InPlaceConcat()
повернеться доPySequence_Concat()
. Він також використовується розширеним призначенням+=
після спроби додавання чисел на місці через слотnb_inplace_add
.
-
ssizeargfunc PySequenceMethods.sq_inplace_repeat¶
Ця функція використовується
PySequence_InPlaceRepeat()
і має такий самий підпис. Він повинен змінити свій перший операнд і повернути його. Цей слот можна залишитиNULL
, у цьому випадкуPySequence_InPlaceRepeat()
повернеться доPySequence_Repeat()
. Він також використовується розширеним призначенням*=
після спроби числового множення на місці через слотnb_inplace_multiply
.
Буферні об’єктні структури¶
-
type PyBufferProcs¶
Ця структура містить покажчики на функції, необхідні для протоколу буфера. Протокол визначає, як об’єкт-експортер може надавати свої внутрішні дані об’єктам-споживачам.
-
getbufferproc PyBufferProcs.bf_getbuffer¶
Сигнатура цієї функції:
int (PyObject *exporter, Py_buffer *view, int flags);
Обробляти запит до exporter для заповнення view, як зазначено flags. За винятком пункту (3), реалізація цієї функції ПОВИННА виконувати такі дії:
Check if the request can be met. If not, raise
BufferError
, set view->obj toNULL
and return-1
.Заповніть необхідні поля.
Збільшити внутрішній лічильник для кількості експортів.
Set view->obj to exporter and increment view->obj.
Повернути
0
.
Якщо експортер є частиною ланцюжка або дерева постачальників буферів, можна використовувати дві основні схеми:
Re-export: Each member of the tree acts as the exporting object and sets view->obj to a new reference to itself.
Redirect: The buffer request is redirected to the root object of the tree. Here, view->obj will be a new reference to the root object.
Окремі поля view описані в розділі Структура буфера, правила, як експортер повинен реагувати на конкретні запити, знаходяться в розділі Типи запитів буфера.
Уся пам’ять, на яку вказує структура
Py_buffer
, належить експортеру та має залишатися чинною, доки не залишиться споживачів.format
,shape
,strides
,suboffsets
таinternal
доступні лише для читання для споживача.PyBuffer_FillInfo()
забезпечує простий спосіб відкрити простий буфер байтів, правильно обробляючи всі типи запитів.PyObject_GetBuffer()
— це інтерфейс для споживача, який обертає цю функцію.
-
releasebufferproc PyBufferProcs.bf_releasebuffer¶
Сигнатура цієї функції:
void (PyObject *exporter, Py_buffer *view);
Обробляти запит на звільнення ресурсів буфера. Якщо не потрібно звільняти ресурси,
PyBufferProcs.bf_releasebuffer
може мати значенняNULL
. В іншому випадку стандартна реалізація цієї функції виконає наступні додаткові дії:Зменшити внутрішній лічильник для кількості експортів.
Якщо лічильник
0
, звільнити всю пам’ять, пов’язану з view.
Експортер ПОВИНЕН використовувати поле
internal
, щоб відстежувати ресурси, пов’язані з буфером. Це поле гарантовано залишається постійним, тоді як споживач МОЖЕ передати копію вихідного буфера як аргумент view.This function MUST NOT decrement view->obj, since that is done automatically in
PyBuffer_Release()
(this scheme is useful for breaking reference cycles).PyBuffer_Release()
— це інтерфейс для споживача, який обертає цю функцію.
Асинхронні об’єктні структури¶
Added in version 3.5.
-
type PyAsyncMethods¶
Ця структура містить покажчики на функції, необхідні для реалізації об’єктів awaitable і asynchronous iterator.
Ось визначення структури:
typedef struct { unaryfunc am_await; unaryfunc am_aiter; unaryfunc am_anext; sendfunc am_send; } PyAsyncMethods;
-
unaryfunc PyAsyncMethods.am_await¶
Сигнатура цієї функції:
PyObject *am_await(PyObject *self);
Повернений об’єкт має бути iterator, тобто
PyIter_Check()
має повернути для нього1
.Цей слот може мати значення
NULL
, якщо об’єкт не є awaitable.
-
unaryfunc PyAsyncMethods.am_aiter¶
Сигнатура цієї функції:
PyObject *am_aiter(PyObject *self);
Must return an asynchronous iterator object. See
__anext__()
for details.Цей слот може мати значення
NULL
, якщо об’єкт не реалізує протокол асинхронної ітерації.
-
unaryfunc PyAsyncMethods.am_anext¶
Сигнатура цієї функції:
PyObject *am_anext(PyObject *self);
Must return an awaitable object. See
__anext__()
for details. This slot may be set toNULL
.
-
sendfunc PyAsyncMethods.am_send¶
Сигнатура цієї функції:
PySendResult am_send(PyObject *self, PyObject *arg, PyObject **result);
Дивіться
PyIter_Send()
для деталей. Цей слот може мати значенняNULL
.Added in version 3.10.
Типи слотів¶
-
typedef PyObject *(*allocfunc)(PyTypeObject *cls, Py_ssize_t nitems)¶
- Part of the Stable ABI.
The purpose of this function is to separate memory allocation from memory initialization. It should return a pointer to a block of memory of adequate length for the instance, suitably aligned, and initialized to zeros, but with
ob_refcnt
set to1
andob_type
set to the type argument. If the type’stp_itemsize
is non-zero, the object’sob_size
field should be initialized to nitems and the length of the allocated memory block should betp_basicsize + nitems*tp_itemsize
, rounded up to a multiple ofsizeof(void*)
; otherwise, nitems is not used and the length of the block should betp_basicsize
.Ця функція не повинна виконувати будь-яку іншу ініціалізацію екземпляра, навіть не для виділення додаткової пам’яті; це має зробити
tp_new
.
-
typedef void (*destructor)(PyObject*)¶
- Part of the Stable ABI.
-
typedef PyObject *(*newfunc)(PyObject*, PyObject*, PyObject*)¶
- Part of the Stable ABI.
Перегляньте
tp_new
.
-
typedef int (*initproc)(PyObject*, PyObject*, PyObject*)¶
- Part of the Stable ABI.
Перегляньте
tp_init
.
-
typedef PyObject *(*reprfunc)(PyObject*)¶
- Part of the Stable ABI.
Перегляньте
tp_repr
.
-
typedef PyObject *(*getattrfunc)(PyObject *self, char *attr)¶
- Part of the Stable ABI.
Повертає значення названого атрибута для об’єкта.
-
typedef int (*setattrfunc)(PyObject *self, char *attr, PyObject *value)¶
- Part of the Stable ABI.
Установіть для об’єкта значення іменованого атрибута. Аргумент значення має значення
NULL
, щоб видалити атрибут.
-
typedef PyObject *(*getattrofunc)(PyObject *self, PyObject *attr)¶
- Part of the Stable ABI.
Повертає значення названого атрибута для об’єкта.
Перегляньте
tp_getattro
.
-
typedef int (*setattrofunc)(PyObject *self, PyObject *attr, PyObject *value)¶
- Part of the Stable ABI.
Установіть для об’єкта значення іменованого атрибута. Аргумент значення має значення
NULL
, щоб видалити атрибут.Перегляньте
tp_setattro
.
-
typedef PyObject *(*descrgetfunc)(PyObject*, PyObject*, PyObject*)¶
- Part of the Stable ABI.
See
tp_descr_get
.
-
typedef int (*descrsetfunc)(PyObject*, PyObject*, PyObject*)¶
- Part of the Stable ABI.
See
tp_descr_set
.
-
typedef Py_hash_t (*hashfunc)(PyObject*)¶
- Part of the Stable ABI.
Перегляньте
tp_hash
.
-
typedef PyObject *(*richcmpfunc)(PyObject*, PyObject*, int)¶
- Part of the Stable ABI.
Перегляньте
tp_richcompare
.
-
typedef PyObject *(*getiterfunc)(PyObject*)¶
- Part of the Stable ABI.
Перегляньте
tp_iter
.
-
typedef PyObject *(*iternextfunc)(PyObject*)¶
- Part of the Stable ABI.
Перегляньте
tp_iternext
.
-
typedef Py_ssize_t (*lenfunc)(PyObject*)¶
- Part of the Stable ABI.
-
typedef int (*getbufferproc)(PyObject*, Py_buffer*, int)¶
- Part of the Stable ABI since version 3.12.
-
typedef void (*releasebufferproc)(PyObject*, Py_buffer*)¶
- Part of the Stable ABI since version 3.12.
-
typedef PyObject *(*unaryfunc)(PyObject*)¶
- Part of the Stable ABI.
-
typedef PyObject *(*binaryfunc)(PyObject*, PyObject*)¶
- Part of the Stable ABI.
-
typedef PyObject *(*ssizeargfunc)(PyObject*, Py_ssize_t)¶
- Part of the Stable ABI.
-
typedef int (*ssizeobjargproc)(PyObject*, Py_ssize_t, PyObject*)¶
- Part of the Stable ABI.
-
typedef int (*objobjproc)(PyObject*, PyObject*)¶
- Part of the Stable ABI.
-
typedef int (*objobjargproc)(PyObject*, PyObject*, PyObject*)¶
- Part of the Stable ABI.
Приклади¶
Нижче наведено прості приклади визначень типів Python. Вони включають загальне використання, з яким ви можете зіткнутися. Деякі демонструють хитрі кутові випадки. Більше прикладів, практичної інформації та підручника див. Визначення типів розширень: підручник і Визначення типів розширень: різні теми.
Базовий статичний тип:
typedef struct {
PyObject_HEAD
const char *data;
} MyObject;
static PyTypeObject MyObject_Type = {
PyVarObject_HEAD_INIT(NULL, 0)
.tp_name = "mymod.MyObject",
.tp_basicsize = sizeof(MyObject),
.tp_doc = PyDoc_STR("My objects"),
.tp_new = myobj_new,
.tp_dealloc = (destructor)myobj_dealloc,
.tp_repr = (reprfunc)myobj_repr,
};
Ви також можете знайти старіший код (особливо в кодовій базі CPython) із більш детальним ініціалізатором:
static PyTypeObject MyObject_Type = {
PyVarObject_HEAD_INIT(NULL, 0)
"mymod.MyObject", /* tp_name */
sizeof(MyObject), /* tp_basicsize */
0, /* tp_itemsize */
(destructor)myobj_dealloc, /* tp_dealloc */
0, /* tp_vectorcall_offset */
0, /* tp_getattr */
0, /* tp_setattr */
0, /* tp_as_async */
(reprfunc)myobj_repr, /* tp_repr */
0, /* tp_as_number */
0, /* tp_as_sequence */
0, /* tp_as_mapping */
0, /* tp_hash */
0, /* tp_call */
0, /* tp_str */
0, /* tp_getattro */
0, /* tp_setattro */
0, /* tp_as_buffer */
0, /* tp_flags */
PyDoc_STR("My objects"), /* tp_doc */
0, /* tp_traverse */
0, /* tp_clear */
0, /* tp_richcompare */
0, /* tp_weaklistoffset */
0, /* tp_iter */
0, /* tp_iternext */
0, /* tp_methods */
0, /* tp_members */
0, /* tp_getset */
0, /* tp_base */
0, /* tp_dict */
0, /* tp_descr_get */
0, /* tp_descr_set */
0, /* tp_dictoffset */
0, /* tp_init */
0, /* tp_alloc */
myobj_new, /* tp_new */
};
Тип, який підтримує слабкі посилання, екземпляри dicts і хешування:
typedef struct {
PyObject_HEAD
const char *data;
} MyObject;
static PyTypeObject MyObject_Type = {
PyVarObject_HEAD_INIT(NULL, 0)
.tp_name = "mymod.MyObject",
.tp_basicsize = sizeof(MyObject),
.tp_doc = PyDoc_STR("My objects"),
.tp_flags = Py_TPFLAGS_DEFAULT | Py_TPFLAGS_BASETYPE |
Py_TPFLAGS_HAVE_GC | Py_TPFLAGS_MANAGED_DICT |
Py_TPFLAGS_MANAGED_WEAKREF,
.tp_new = myobj_new,
.tp_traverse = (traverseproc)myobj_traverse,
.tp_clear = (inquiry)myobj_clear,
.tp_alloc = PyType_GenericNew,
.tp_dealloc = (destructor)myobj_dealloc,
.tp_repr = (reprfunc)myobj_repr,
.tp_hash = (hashfunc)myobj_hash,
.tp_richcompare = PyBaseObject_Type.tp_richcompare,
};
A str subclass that cannot be subclassed and cannot be called
to create instances (e.g. uses a separate factory func) using
Py_TPFLAGS_DISALLOW_INSTANTIATION
flag:
typedef struct {
PyUnicodeObject raw;
char *extra;
} MyStr;
static PyTypeObject MyStr_Type = {
PyVarObject_HEAD_INIT(NULL, 0)
.tp_name = "mymod.MyStr",
.tp_basicsize = sizeof(MyStr),
.tp_base = NULL, // set to &PyUnicode_Type in module init
.tp_doc = PyDoc_STR("my custom str"),
.tp_flags = Py_TPFLAGS_DEFAULT | Py_TPFLAGS_DISALLOW_INSTANTIATION,
.tp_repr = (reprfunc)myobj_repr,
};
Найпростіший статичний тип з екземплярами фіксованої довжини:
typedef struct {
PyObject_HEAD
} MyObject;
static PyTypeObject MyObject_Type = {
PyVarObject_HEAD_INIT(NULL, 0)
.tp_name = "mymod.MyObject",
};
Найпростіший статичний тип з екземплярами змінної довжини:
typedef struct {
PyObject_VAR_HEAD
const char *data[1];
} MyObject;
static PyTypeObject MyObject_Type = {
PyVarObject_HEAD_INIT(NULL, 0)
.tp_name = "mymod.MyObject",
.tp_basicsize = sizeof(MyObject) - sizeof(char *),
.tp_itemsize = sizeof(char *),
};