Manejo de excepciones¶
Las funciones descritas en este capítulo le permitirán manejar y lanzar excepciones de Python. Es importante comprender algunos de los conceptos básicos del manejo de excepciones de Python. Funciona de manera similar a la variable POSIX errno
: hay un indicador global (por hilo) del último error que ocurrió. La mayoría de las funciones de C API no borran esto en caso de éxito, pero lo configurarán para indicar la causa del error en caso de falla. La mayoría de las funciones de C API también retornan un indicador de error, generalmente NULL
si se supone que retornan un puntero, o -1
si retornan un número entero (excepción: las funciones PyArg_*
retornan 1
para el éxito y 0
para el fracaso).
Concretamente, el indicador de error consta de tres punteros de objeto: el tipo de excepción, el valor de la excepción y el objeto de rastreo. Cualquiera de esos punteros puede ser NULL
si no está configurado (aunque algunas combinaciones están prohibidas, por ejemplo, no puede tener un rastreo no NULL
si el tipo de excepción es NULL
).
Cuando una función debe fallar porque alguna función que llamó falló, generalmente no establece el indicador de error; la función que llamó ya lo configuró. Es responsable de manejar el error y borrar la excepción o regresar después de limpiar cualquier recurso que tenga (como referencias de objetos o asignaciones de memoria); debería no continuar normalmente si no está preparado para manejar el error. Si regresa debido a un error, es importante indicarle a la persona que llama que se ha establecido un error. Si el error no se maneja o se propaga cuidadosamente, es posible que las llamadas adicionales a la API de Python/C no se comporten como se espera y pueden fallar de manera misteriosa.
Nota
The error indicator is not the result of sys.exc_info()
.
The former corresponds to an exception that is not yet caught (and is
therefore still propagating), while the latter returns an exception after
it is caught (and has therefore stopped propagating).
Impresión y limpieza¶
-
void PyErr_Clear()¶
- Part of the Stable ABI.
Borra el indicador de error. Si el indicador de error no está configurado, no hay efecto.
-
void PyErr_PrintEx(int set_sys_last_vars)¶
- Part of the Stable ABI.
Imprime un rastreo estándar en
sys.stderr
y borra el indicador de error. A menos que el error sea unSalida del sistema
, en ese caso no se imprime ningún rastreo y el proceso de Python se cerrará con el código de error especificado por la instancia deSalida del sistema
.Llame a esta función solo cuando el indicador de error está configurado. De lo contrario, provocará un error fatal!
If set_sys_last_vars is nonzero, the variable
sys.last_exc
is set to the printed exception. For backwards compatibility, the deprecated variablessys.last_type
,sys.last_value
andsys.last_traceback
are also set to the type, value and traceback of this exception, respectively.Distinto en la versión 3.12: The setting of
sys.last_exc
was added.
-
void PyErr_Print()¶
- Part of the Stable ABI.
Alias para
PyErr_PrintEx(1)
.
-
void PyErr_WriteUnraisable(PyObject *obj)¶
- Part of the Stable ABI.
Llama
sys.unraisablehook()
utilizando la excepción actual y el argumento obj.This utility function prints a warning message to
sys.stderr
when an exception has been set but it is impossible for the interpreter to actually raise the exception. It is used, for example, when an exception occurs in an__del__()
method.The function is called with a single argument obj that identifies the context in which the unraisable exception occurred. If possible, the repr of obj will be printed in the warning message. If obj is
NULL
, only the traceback is printed.Se debe establecer una excepción al llamar a esta función.
Distinto en la versión 3.4: Print a traceback. Print only traceback if obj is
NULL
.Distinto en la versión 3.8: Use
sys.unraisablehook()
.
-
void PyErr_FormatUnraisable(const char *format, ...)¶
Similar to
PyErr_WriteUnraisable()
, but the format and subsequent parameters help format the warning message; they have the same meaning and values as inPyUnicode_FromFormat()
.PyErr_WriteUnraisable(obj)
is roughly equivalent toPyErr_FormatUnraisable("Exception ignored in: %R", obj)
. If format isNULL
, only the traceback is printed.Added in version 3.13.
-
void PyErr_DisplayException(PyObject *exc)¶
- Part of the Stable ABI since version 3.12.
Print the standard traceback display of
exc
tosys.stderr
, including chained exceptions and notes.Added in version 3.12.
Lanzando excepciones¶
Estas funciones lo ayudan a configurar el indicador de error del hilo actual. Por conveniencia, algunas de estas funciones siempre retornarán un puntero NULL
para usar en una declaración return
.
-
void PyErr_SetString(PyObject *type, const char *message)¶
- Part of the Stable ABI.
This is the most common way to set the error indicator. The first argument specifies the exception type; it is normally one of the standard exceptions, e.g.
PyExc_RuntimeError
. You need not create a new strong reference to it (e.g. withPy_INCREF()
). The second argument is an error message; it is decoded from'utf-8'
.
-
void PyErr_SetObject(PyObject *type, PyObject *value)¶
- Part of the Stable ABI.
Esta función es similar a
PyErr_SetString()
pero le permite especificar un objeto Python arbitrario para el «valor» de la excepción.
-
PyObject *PyErr_Format(PyObject *exception, const char *format, ...)¶
- Return value: Always NULL. Part of the Stable ABI.
Esta función establece el indicador de error y retorna
NULL
. exception debe ser una clase de excepción Python. El format y los parámetros posteriores ayudan a formatear el mensaje de error; tienen el mismo significado y valores que enPyUnicode_FromFormat()
. format es una cadena de caracteres codificada en ASCII.
-
PyObject *PyErr_FormatV(PyObject *exception, const char *format, va_list vargs)¶
- Return value: Always NULL. Part of the Stable ABI since version 3.5.
Igual que
PyErr_Format()
, pero tomando un argumentova_list
en lugar de un número variable de argumentos.Added in version 3.5.
-
void PyErr_SetNone(PyObject *type)¶
- Part of the Stable ABI.
Esta es una abreviatura de
PyErr_SetObject(type, Py_None)
.
-
int PyErr_BadArgument()¶
- Part of the Stable ABI.
Esta es una abreviatura de
PyErr_SetString(PyExc_TypeError, message)
, donde message indica que se invocó una operación incorporada con un argumento ilegal. Es principalmente para uso interno.
-
PyObject *PyErr_NoMemory()¶
- Return value: Always NULL. Part of the Stable ABI.
Esta es una abreviatura de
PyErr_SetNone(PyExc_MemoryError)
; retornaNULL
para que una función de asignación de objetos pueda escribirreturn PyErr_NoMemory();
cuando se queda sin memoria.
-
PyObject *PyErr_SetFromErrno(PyObject *type)¶
- Return value: Always NULL. Part of the Stable ABI.
This is a convenience function to raise an exception when a C library function has returned an error and set the C variable
errno
. It constructs a tuple object whose first item is the integererrno
value and whose second item is the corresponding error message (gotten fromstrerror()
), and then callsPyErr_SetObject(type, object)
. On Unix, when theerrno
value isEINTR
, indicating an interrupted system call, this callsPyErr_CheckSignals()
, and if that set the error indicator, leaves it set to that. The function always returnsNULL
, so a wrapper function around a system call can writereturn PyErr_SetFromErrno(type);
when the system call returns an error.
-
PyObject *PyErr_SetFromErrnoWithFilenameObject(PyObject *type, PyObject *filenameObject)¶
- Return value: Always NULL. Part of the Stable ABI.
Similar to
PyErr_SetFromErrno()
, with the additional behavior that if filenameObject is notNULL
, it is passed to the constructor of type as a third parameter. In the case ofOSError
exception, this is used to define thefilename
attribute of the exception instance.
-
PyObject *PyErr_SetFromErrnoWithFilenameObjects(PyObject *type, PyObject *filenameObject, PyObject *filenameObject2)¶
- Return value: Always NULL. Part of the Stable ABI since version 3.7.
Similar a
PyErr_SetFromErrnoWithFilenameObject()
, pero toma un segundo objeto de nombre de archivo, para lanzar errores cuando falla una función que toma dos nombres de archivo.Added in version 3.4.
-
PyObject *PyErr_SetFromErrnoWithFilename(PyObject *type, const char *filename)¶
- Return value: Always NULL. Part of the Stable ABI.
Similar a
PyErr_SetFromErrnoWithFilenameObject()
, pero el nombre del archivo se da como una cadena de caracteres de C. filename se decodifica a partir de la codificación de filesystem encoding and error handler.
-
PyObject *PyErr_SetFromWindowsErr(int ierr)¶
- Return value: Always NULL. Part of the Stable ABI on Windows since version 3.7.
This is a convenience function to raise
OSError
. If called with ierr of0
, the error code returned by a call toGetLastError()
is used instead. It calls the Win32 functionFormatMessage()
to retrieve the Windows description of error code given by ierr orGetLastError()
, then it constructs aOSError
object with thewinerror
attribute set to the error code, thestrerror
attribute set to the corresponding error message (gotten fromFormatMessage()
), and then callsPyErr_SetObject(PyExc_OSError, object)
. This function always returnsNULL
.Availability: Windows.
-
PyObject *PyErr_SetExcFromWindowsErr(PyObject *type, int ierr)¶
- Return value: Always NULL. Part of the Stable ABI on Windows since version 3.7.
Similar a
PyErr_SetFromWindowsErr()
, con un parámetro adicional que especifica el tipo de excepción que se lanzará.Availability: Windows.
-
PyObject *PyErr_SetFromWindowsErrWithFilename(int ierr, const char *filename)¶
- Return value: Always NULL. Part of the Stable ABI on Windows since version 3.7.
Similar to
PyErr_SetFromWindowsErr()
, with the additional behavior that if filename is notNULL
, it is decoded from the filesystem encoding (os.fsdecode()
) and passed to the constructor ofOSError
as a third parameter to be used to define thefilename
attribute of the exception instance.Availability: Windows.
-
PyObject *PyErr_SetExcFromWindowsErrWithFilenameObject(PyObject *type, int ierr, PyObject *filename)¶
- Return value: Always NULL. Part of the Stable ABI on Windows since version 3.7.
Similar to
PyErr_SetExcFromWindowsErr()
, with the additional behavior that if filename is notNULL
, it is passed to the constructor ofOSError
as a third parameter to be used to define thefilename
attribute of the exception instance.Availability: Windows.
-
PyObject *PyErr_SetExcFromWindowsErrWithFilenameObjects(PyObject *type, int ierr, PyObject *filename, PyObject *filename2)¶
- Return value: Always NULL. Part of the Stable ABI on Windows since version 3.7.
Similar a
PyErr_SetExcFromWindowsErrWithFilenameObject()
, pero acepta un segundo objeto de nombre de archivo.Availability: Windows.
Added in version 3.4.
-
PyObject *PyErr_SetExcFromWindowsErrWithFilename(PyObject *type, int ierr, const char *filename)¶
- Return value: Always NULL. Part of the Stable ABI on Windows since version 3.7.
Similar a
PyErr_SetFromWindowsErrWithFilename()
, con un parámetro adicional que especifica el tipo de excepción que se lanzará.Availability: Windows.
-
PyObject *PyErr_SetImportError(PyObject *msg, PyObject *name, PyObject *path)¶
- Return value: Always NULL. Part of the Stable ABI since version 3.7.
Esta es una función conveniente para subir
ImportError
. msg se establecerá como la cadena de mensaje de la excepción. name y path, que pueden serNULL
, se establecerán como atributos respectivosname
ypath
deImportError
.Added in version 3.3.
-
PyObject *PyErr_SetImportErrorSubclass(PyObject *exception, PyObject *msg, PyObject *name, PyObject *path)¶
- Return value: Always NULL. Part of the Stable ABI since version 3.6.
Al igual que
PyErr_SetImportError()
pero esta función permite especificar una subclase deImportError
para aumentar.Added in version 3.6.
-
void PyErr_SyntaxLocationObject(PyObject *filename, int lineno, int col_offset)¶
Establece información de archivo, línea y desplazamiento para la excepción actual. Si la excepción actual no es un
SyntaxError
, establece atributos adicionales, lo que hace que el sub sistema de impresión de excepciones piense que la excepción esSyntaxError
.Added in version 3.4.
-
void PyErr_SyntaxLocationEx(const char *filename, int lineno, int col_offset)¶
- Part of the Stable ABI since version 3.7.
Como
PyErr_SyntaxLocationObject()
, pero filename es una cadena de bytes decodificada a partir de filesystem encoding and error handler.Added in version 3.2.
-
void PyErr_SyntaxLocation(const char *filename, int lineno)¶
- Part of the Stable ABI.
Como
PyErr_SyntaxLocationEx()
, pero se omite el parámetro col_offset.
-
void PyErr_BadInternalCall()¶
- Part of the Stable ABI.
Esta es una abreviatura de
PyErr_SetString(PyExc_SystemError, message)
, donde message indica que se invocó una operación interna (por ejemplo, una función de Python/C API) con un argumento ilegal. Es principalmente para uso interno.
Emitir advertencias¶
Use estas funciones para emitir advertencias desde el código C. Reflejan funciones similares exportadas por el módulo Python warnings
. Normalmente imprimen un mensaje de advertencia a sys.stderr; sin embargo, también es posible que el usuario haya especificado que las advertencias se conviertan en errores, y en ese caso lanzarán una excepción. También es posible que las funciones generen una excepción debido a un problema con la maquinaria de advertencia. El valor de retorno es 0
si no se lanza una excepción, o -1
si se lanza una excepción. (No es posible determinar si realmente se imprime un mensaje de advertencia, ni cuál es el motivo de la excepción; esto es intencional). Si se produce una excepción, la persona que llama debe hacer su manejo normal de excepciones (por ejemplo, referencias propiedad de Py_DECREF()
y retornan un valor de error).
-
int PyErr_WarnEx(PyObject *category, const char *message, Py_ssize_t stack_level)¶
- Part of the Stable ABI.
Emite un mensaje de advertencia. El argumento category es una categoría de advertencia (ver más abajo) o
NULL
; el argumento message es una cadena de caracteres codificada en UTF-8. stack_level es un número positivo que proporciona una cantidad de marcos de pila; la advertencia se emitirá desde la línea de código que se está ejecutando actualmente en ese marco de pila. Un stack_level de 1 es la función que llamaPyErr_WarnEx()
, 2 es la función por encima de eso, y así sucesivamente.Las categorías de advertencia deben ser subclases de
PyExc_Warning
;PyExc_Warning
es una subclase dePyExc_Exception
; la categoría de advertencia predeterminada esPyExc_RuntimeWarning
. Las categorías de advertencia estándar de Python están disponibles como variables globales cuyos nombres se enumeran en Categorías de advertencia estándar.Para obtener información sobre el control de advertencia, consulte la documentación del módulo
warnings
y la opción-W
en la documentación de la línea de comandos. No hay API de C para el control de advertencia.
-
int PyErr_WarnExplicitObject(PyObject *category, PyObject *message, PyObject *filename, int lineno, PyObject *module, PyObject *registry)¶
Emite un mensaje de advertencia con control explícito sobre todos los atributos de advertencia. Este es un contenedor sencillo alrededor de la función Python
warnings.warn_explicit()
; consulte allí para obtener más información. Los argumentos module y registry pueden establecerse enNULL
para obtener el efecto predeterminado que se describe allí.Added in version 3.4.
-
int PyErr_WarnExplicit(PyObject *category, const char *message, const char *filename, int lineno, const char *module, PyObject *registry)¶
- Part of the Stable ABI.
Similar a
PyErr_WarnExplicitObject()
excepto que message y module son cadenas codificadas UTF-8, y filename se decodifica de filesystem encoding and error handler.
-
int PyErr_WarnFormat(PyObject *category, Py_ssize_t stack_level, const char *format, ...)¶
- Part of the Stable ABI.
Función similar a
PyErr_WarnEx()
, pero usaPyUnicode_FromFormat()
para formatear el mensaje de advertencia. format es una cadena de caracteres codificada en ASCII.Added in version 3.2.
-
int PyErr_ResourceWarning(PyObject *source, Py_ssize_t stack_level, const char *format, ...)¶
- Part of the Stable ABI since version 3.6.
Function similar to
PyErr_WarnFormat()
, but category isResourceWarning
and it passes source towarnings.WarningMessage
.Added in version 3.6.
Consultando el indicador de error¶
-
PyObject *PyErr_Occurred()¶
- Return value: Borrowed reference. Part of the Stable ABI.
Prueba si el indicador de error está configurado. Si se establece, retorna la excepción type (el primer argumento de la última llamada a una de las funciones
PyErr_Set*
oPyErr_Restore()
). Si no está configurado, retornaNULL
. No posee una referencia al valor de retorno, por lo que no necesita usarPy_DECREF()
.La persona que llama debe retener el GIL.
Nota
No compare el valor de retorno con una excepción específica; use
PyErr_ExceptionMatches()
en su lugar, como se muestra a continuación. (La comparación podría fallar fácilmente ya que la excepción puede ser una instancia en lugar de una clase, en el caso de una excepción de clase, o puede ser una subclase de la excepción esperada).
-
int PyErr_ExceptionMatches(PyObject *exc)¶
- Part of the Stable ABI.
Equivalente a
PyErr_GivenExceptionMatches(PyErr_Occurred(), exc)
. Esto solo debería llamarse cuando se establece una excepción; se producirá una infracción de acceso a la memoria si no se ha producido ninguna excepción.
-
int PyErr_GivenExceptionMatches(PyObject *given, PyObject *exc)¶
- Part of the Stable ABI.
Retorna verdadero si la excepción dada coincide con el tipo de excepción en exc. Si exc es un objeto de clase, esto también retorna verdadero cuando dado es una instancia de una subclase. Si exc es una tupla, se busca una coincidencia en todos los tipos de excepción en la tupla (y recursivamente en sub tuplas).
-
PyObject *PyErr_GetRaisedException(void)¶
- Return value: New reference. Part of the Stable ABI since version 3.12.
Return the exception currently being raised, clearing the error indicator at the same time. Return
NULL
if the error indicator is not set.This function is used by code that needs to catch exceptions, or code that needs to save and restore the error indicator temporarily.
For example:
{ PyObject *exc = PyErr_GetRaisedException(); /* ... code that might produce other errors ... */ PyErr_SetRaisedException(exc); }
Ver también
PyErr_GetHandledException()
, to save the exception currently being handled.Added in version 3.12.
-
void PyErr_SetRaisedException(PyObject *exc)¶
- Part of the Stable ABI since version 3.12.
Set exc as the exception currently being raised, clearing the existing exception if one is set.
Advertencia
This call steals a reference to exc, which must be a valid exception.
Added in version 3.12.
-
void PyErr_Fetch(PyObject **ptype, PyObject **pvalue, PyObject **ptraceback)¶
- Part of the Stable ABI.
Obsoleto desde la versión 3.12: Use
PyErr_GetRaisedException()
instead.Recupera el indicador de error en tres variables cuyas direcciones se pasan. Si el indicador de error no está configurado, configure las tres variables en
NULL
. Si está configurado, se borrará y usted tendrá una referencia a cada objeto recuperado. El objeto de valor y rastreo puede serNULL
incluso cuando el objeto de tipo no lo es.Nota
This function is normally only used by legacy code that needs to catch exceptions or save and restore the error indicator temporarily.
For example:
{ PyObject *type, *value, *traceback; PyErr_Fetch(&type, &value, &traceback); /* ... code that might produce other errors ... */ PyErr_Restore(type, value, traceback); }
-
void PyErr_Restore(PyObject *type, PyObject *value, PyObject *traceback)¶
- Part of the Stable ABI.
Obsoleto desde la versión 3.12: Use
PyErr_SetRaisedException()
instead.Set the error indicator from the three objects, type, value, and traceback, clearing the existing exception if one is set. If the objects are
NULL
, the error indicator is cleared. Do not pass aNULL
type and non-NULL
value or traceback. The exception type should be a class. Do not pass an invalid exception type or value. (Violating these rules will cause subtle problems later.) This call takes away a reference to each object: you must own a reference to each object before the call and after the call you no longer own these references. (If you don’t understand this, don’t use this function. I warned you.)Nota
This function is normally only used by legacy code that needs to save and restore the error indicator temporarily. Use
PyErr_Fetch()
to save the current error indicator.
-
void PyErr_NormalizeException(PyObject **exc, PyObject **val, PyObject **tb)¶
- Part of the Stable ABI.
Obsoleto desde la versión 3.12: Use
PyErr_GetRaisedException()
instead, to avoid any possible de-normalization.Bajo ciertas circunstancias, los valores retornados por
PyErr_Fetch()
a continuación pueden ser «no normalizados», lo que significa que*exc
es un objeto de clase pero*val
no es una instancia de la misma clase . Esta función se puede utilizar para crear instancias de la clase en ese caso. Si los valores ya están normalizados, no pasa nada. La normalización retrasada se implementa para mejorar el rendimiento.Nota
This function does not implicitly set the
__traceback__
attribute on the exception value. If setting the traceback appropriately is desired, the following additional snippet is needed:if (tb != NULL) { PyException_SetTraceback(val, tb); }
-
PyObject *PyErr_GetHandledException(void)¶
- Part of the Stable ABI since version 3.11.
Recupera la instancia de excepción activa, como la que devolvería
sys.exception()
. Esto se refiere a una excepción que ya fue capturada, no a una excepción recién lanzada. Retorna una nueva referencia a la excepción oNULL
. No modifica el estado de excepción del intérprete.Nota
Esta función normalmente no es utilizada por el código que quiere manejar excepciones. En cambio, se puede usar cuando el código necesita guardar y restaurar el estado de excepción temporalmente. Use
PyErr_SetHandledException()
para restaurar o borrar el estado de excepción.Added in version 3.11.
-
void PyErr_SetHandledException(PyObject *exc)¶
- Part of the Stable ABI since version 3.11.
Establece la excepción activa, como se conoce de
sys.exception()
. Esto se refiere a la excepción que ya fue capturada, no a una excepción que fue lanzada recientemente. Para borrar el estado de la excepción, pasaNULL
.Nota
Esta función normalmente no es utilizada por el código que quiere manejar excepciones. En cambio, se puede usar cuando el código necesita guardar y restaurar el estado de excepción temporalmente. Use
PyErr_GetHandledException()
para leer el estado de excepción.Added in version 3.11.
-
void PyErr_GetExcInfo(PyObject **ptype, PyObject **pvalue, PyObject **ptraceback)¶
- Part of the Stable ABI since version 3.7.
Recupera la información de excepción, como se conoce de
sys.exc_info()
. Esto se refiere a una excepción que ya fue capturada, no a una excepción que fue lanzada recientemente. Retorna nuevas referencias para los tres objetos, cualquiera de los cuales puede serNULL
. No modifica el estado de información de excepción. Esta función se mantiene por retro-compatibilidad. Es preferible usarPyErr_GetHandledException()
.Nota
Esta función normalmente no es utilizada por el código que quiere manejar excepciones. En cambio, se puede usar cuando el código necesita guardar y restaurar el estado de excepción temporalmente. Use
PyErr_SetExcInfo()
para restaurar o borrar el estado de excepción.Added in version 3.3.
-
void PyErr_SetExcInfo(PyObject *type, PyObject *value, PyObject *traceback)¶
- Part of the Stable ABI since version 3.7.
Establece la información de excepción, como se conoce de
sys.exc_info()
. Esto se refiere a una excepción que ya fue capturada, no a una excepción que fue lanzada recientemente. Esta función roba las referencias de los argumentos. Para borrar el estado de excepción, paseNULL
para los tres argumentos. Para ver las reglas generales sobre los tres argumentos, consultePyErr_SetHandledException()
.Nota
Esta función normalmente no es utilizada por el código que quiere manejar excepciones. En cambio, se puede usar cuando el código necesita guardar y restaurar el estado de excepción temporalmente. Use
PyErr_GetExcInfo()
para leer el estado de excepción.Added in version 3.3.
Distinto en la versión 3.11: Los argumentos
type
ytraceback
ya no se utilizan y pueden ser NULL. El intérprete los deriva ahora de la instancia de la excepción (el argumentovalue
). La función sigue robando referencias de los tres argumentos.
Manejo de señal¶
-
int PyErr_CheckSignals()¶
- Part of the Stable ABI.
Esta función interactúa con el manejo de señales de Python.
Si la función se llama desde el hilo principal y bajo el intérprete principal de Python, verifica si se ha enviado una señal a los procesos y, de ser así, invoca el manejador de señales correspondiente. Si el módulo
signal
es compatible, esto puede invocar un manejador de señales escrito en Python.La función intenta manejar todas las señales pendientes y luego devuelve
0
. Sin embargo, si un manejador de señales de Python lanza una excepción, el indicador de error se establece y la función devuelve-1
inmediatamente (de modo que es posible que otras señales pendientes no se hayan manejado todavía: estarán en la siguiente invocación dePyErr_CheckSignals()
).Si la función se llama desde un hilo no principal, o bajo un intérprete de Python no principal, no hace nada y devuelve
0
.Esta función se puede llamar mediante un código C de ejecución prolongada que quiere ser interrumpible por las peticiones del usuario (como presionar Ctrl-C).
Nota
The default Python signal handler for
SIGINT
raises theKeyboardInterrupt
exception.
-
void PyErr_SetInterrupt()¶
- Part of the Stable ABI.
Simulate the effect of a
SIGINT
signal arriving. This is equivalent toPyErr_SetInterruptEx(SIGINT)
.Nota
Esta función es segura para señales asíncronas. Se puede llamar sin el GIL y desde un manejador de señales de C.
-
int PyErr_SetInterruptEx(int signum)¶
- Part of the Stable ABI since version 3.10.
Simula el efecto de la llegada de una señal. La próxima vez que sea llamado
PyErr_CheckSignals()
, se llamará al manejador de señal de Python para el número de señal dado.Esta función puede ser llamada por código C que configura su propio manejo de señales y quiere que los manejadores de señales de Python sean invocados como se espera cuando se solicita una interrupción (por ejemplo, cuando el usuario presiona Ctrl-C para interrumpir una operación).
If the given signal isn’t handled by Python (it was set to
signal.SIG_DFL
orsignal.SIG_IGN
), it will be ignored.Si signum está fuera del rango permitido de números de señal, se devuelve
-1
. De lo contrario, se devuelve0
. Esta función nunca cambia el indicador de error.Nota
Esta función es segura para señales asíncronas. Se puede llamar sin el GIL y desde un manejador de señales de C.
Added in version 3.10.
-
int PySignal_SetWakeupFd(int fd)¶
Esta función de utilidad especifica un descriptor de archivo en el que el número de señal se escribe como un solo byte cada vez que se recibe una señal. fd debe ser sin bloqueo. retorna el descriptor de archivo anterior.
El valor
-1
desactiva la función; Este es el estado inicial. Esto es equivalente asignal.set_wakeup_fd()
en Python, pero sin verificación de errores. fd debe ser un descriptor de archivo válido. La función solo debe llamarse desde el hilo principal.Distinto en la versión 3.5: En Windows, la función ahora también admite controladores de socket.
Clases de excepción¶
-
PyObject *PyErr_NewException(const char *name, PyObject *base, PyObject *dict)¶
- Return value: New reference. Part of the Stable ABI.
Esta función de utilidad crea y retorna una nueva clase de excepción. El argumento name debe ser el nombre de la nueva excepción, una cadena de caracteres en C de la forma
module.classname
. Los argumentos base y dict son normalmenteNULL
. Esto crea un objeto de clase derivado deException
(accesible en C comoPyExc_Exception
).The
__module__
attribute of the new class is set to the first part (up to the last dot) of the name argument, and the class name is set to the last part (after the last dot). The base argument can be used to specify alternate base classes; it can either be only one class or a tuple of classes. The dict argument can be used to specify a dictionary of class variables and methods.
-
PyObject *PyErr_NewExceptionWithDoc(const char *name, const char *doc, PyObject *base, PyObject *dict)¶
- Return value: New reference. Part of the Stable ABI.
Igual que
PyErr_NewException()
, excepto que la nueva clase de excepción puede recibir fácilmente una cadena de documentación: si doc no esNULL
, se utilizará como la cadena de documentación para la clase de excepción.Added in version 3.2.
Objetos excepción¶
-
PyObject *PyException_GetTraceback(PyObject *ex)¶
- Return value: New reference. Part of the Stable ABI.
Return the traceback associated with the exception as a new reference, as accessible from Python through the
__traceback__
attribute. If there is no traceback associated, this returnsNULL
.
-
int PyException_SetTraceback(PyObject *ex, PyObject *tb)¶
- Part of the Stable ABI.
Establezca el rastreo asociado con la excepción a tb. Use
Py_None
para borrarlo.
-
PyObject *PyException_GetContext(PyObject *ex)¶
- Return value: New reference. Part of the Stable ABI.
Return the context (another exception instance during whose handling ex was raised) associated with the exception as a new reference, as accessible from Python through the
__context__
attribute. If there is no context associated, this returnsNULL
.
-
void PyException_SetContext(PyObject *ex, PyObject *ctx)¶
- Part of the Stable ABI.
Establece el contexto asociado con la excepción a ctx. Use
NULL
para borrarlo. No hay verificación de tipo para asegurarse de que ctx es una instancia de excepción. Esto roba una referencia a ctx.
-
PyObject *PyException_GetCause(PyObject *ex)¶
- Return value: New reference. Part of the Stable ABI.
Return the cause (either an exception instance, or
None
, set byraise ... from ...
) associated with the exception as a new reference, as accessible from Python through the__cause__
attribute.
-
void PyException_SetCause(PyObject *ex, PyObject *cause)¶
- Part of the Stable ABI.
Set the cause associated with the exception to cause. Use
NULL
to clear it. There is no type check to make sure that cause is either an exception instance orNone
. This steals a reference to cause.The
__suppress_context__
attribute is implicitly set toTrue
by this function.
-
PyObject *PyException_GetArgs(PyObject *ex)¶
- Return value: New reference. Part of the Stable ABI since version 3.12.
Return
args
of exception ex.
-
void PyException_SetArgs(PyObject *ex, PyObject *args)¶
- Part of the Stable ABI since version 3.12.
Set
args
of exception ex to args.
-
PyObject *PyUnstable_Exc_PrepReraiseStar(PyObject *orig, PyObject *excs)¶
- This is Unstable API. It may change without warning in minor releases.
Implement part of the interpreter’s implementation of
except*
. orig is the original exception that was caught, and excs is the list of the exceptions that need to be raised. This list contains the unhandled part of orig, if any, as well as the exceptions that were raised from theexcept*
clauses (so they have a different traceback from orig) and those that were reraised (and have the same traceback as orig). Return theExceptionGroup
that needs to be reraised in the end, orNone
if there is nothing to reraise.Added in version 3.12.
Objetos unicode de excepción¶
Las siguientes funciones se utilizan para crear y modificar excepciones Unicode de C.
-
PyObject *PyUnicodeDecodeError_Create(const char *encoding, const char *object, Py_ssize_t length, Py_ssize_t start, Py_ssize_t end, const char *reason)¶
- Return value: New reference. Part of the Stable ABI.
Crea un objeto
UnicodeDecodeError
con los atributos encoding, object, length, start, end y reason. encoding y reason son cadenas codificadas UTF-8.
-
PyObject *PyUnicodeDecodeError_GetEncoding(PyObject *exc)¶
-
PyObject *PyUnicodeEncodeError_GetEncoding(PyObject *exc)¶
- Return value: New reference. Part of the Stable ABI.
Retorna el atributo encoding del objeto de excepción dado.
-
PyObject *PyUnicodeDecodeError_GetObject(PyObject *exc)¶
-
PyObject *PyUnicodeEncodeError_GetObject(PyObject *exc)¶
-
PyObject *PyUnicodeTranslateError_GetObject(PyObject *exc)¶
- Return value: New reference. Part of the Stable ABI.
Retorna el atributo object del objeto de excepción dado.
-
int PyUnicodeDecodeError_GetStart(PyObject *exc, Py_ssize_t *start)¶
-
int PyUnicodeEncodeError_GetStart(PyObject *exc, Py_ssize_t *start)¶
-
int PyUnicodeTranslateError_GetStart(PyObject *exc, Py_ssize_t *start)¶
- Part of the Stable ABI.
Obtiene el atributo start del objeto de excepción dado y lo coloca en *start. start no debe ser
NULL
. retorna0
en caso de éxito,-1
en caso de error.
-
int PyUnicodeDecodeError_SetStart(PyObject *exc, Py_ssize_t start)¶
-
int PyUnicodeEncodeError_SetStart(PyObject *exc, Py_ssize_t start)¶
-
int PyUnicodeTranslateError_SetStart(PyObject *exc, Py_ssize_t start)¶
- Part of the Stable ABI.
Establece el atributo start del objeto de excepción dado en start. Retorna
0
en caso de éxito,-1
en caso de error.
-
int PyUnicodeDecodeError_GetEnd(PyObject *exc, Py_ssize_t *end)¶
-
int PyUnicodeEncodeError_GetEnd(PyObject *exc, Py_ssize_t *end)¶
-
int PyUnicodeTranslateError_GetEnd(PyObject *exc, Py_ssize_t *end)¶
- Part of the Stable ABI.
Obtiene el atributo end del objeto de excepción dado y lo coloca en *end. end no debe ser
NULL
. retorna0
en caso de éxito,-1
en caso de error.
-
int PyUnicodeDecodeError_SetEnd(PyObject *exc, Py_ssize_t end)¶
-
int PyUnicodeEncodeError_SetEnd(PyObject *exc, Py_ssize_t end)¶
-
int PyUnicodeTranslateError_SetEnd(PyObject *exc, Py_ssize_t end)¶
- Part of the Stable ABI.
Establece el atributo end del objeto de excepción dado en end. Retorna
0
en caso de éxito,-1
en caso de error.
-
PyObject *PyUnicodeDecodeError_GetReason(PyObject *exc)¶
-
PyObject *PyUnicodeEncodeError_GetReason(PyObject *exc)¶
-
PyObject *PyUnicodeTranslateError_GetReason(PyObject *exc)¶
- Return value: New reference. Part of the Stable ABI.
Retorna el atributo reason del objeto de excepción dado.
-
int PyUnicodeDecodeError_SetReason(PyObject *exc, const char *reason)¶
-
int PyUnicodeEncodeError_SetReason(PyObject *exc, const char *reason)¶
-
int PyUnicodeTranslateError_SetReason(PyObject *exc, const char *reason)¶
- Part of the Stable ABI.
Establece el atributo reason del objeto de excepción dado en reason. Retorna
0
en caso de éxito,-1
en caso de error.
Control de recursión¶
Estas dos funciones proporcionan una forma de realizar llamadas recursivas seguras en el nivel C, tanto en el núcleo como en los módulos de extensión. Son necesarios si el código recursivo no invoca necesariamente el código Python (que rastrea su profundidad de recursión automáticamente). Tampoco son necesarios para las implementaciones de tp_call porque call protocol se encarga del manejo de la recursividad.
-
int Py_EnterRecursiveCall(const char *where)¶
- Part of the Stable ABI since version 3.9.
Marca un punto donde una llamada recursiva de nivel C está a punto de realizarse.
If
USE_STACKCHECK
is defined, this function checks if the OS stack overflowed usingPyOS_CheckStack()
. If this is the case, it sets aMemoryError
and returns a nonzero value.La función verifica si se alcanza el límite de recursión. Si este es el caso, se establece a
RecursionError
y se retorna un valor distinto de cero. De lo contrario, se retorna cero.where debería ser una cadena de caracteres codificada en UTF-8 como
"en la comprobación de instancia"
para concatenarse con el mensajeRecursionError
causado por el límite de profundidad de recursión.Distinto en la versión 3.9: This function is now also available in the limited API.
-
void Py_LeaveRecursiveCall(void)¶
- Part of the Stable ABI since version 3.9.
Termina una
Py_EnterRecursiveCall()
. Se debe llamar una vez por cada invocación exitosa dePy_EnterRecursiveCall()
.Distinto en la versión 3.9: This function is now also available in the limited API.
La implementación adecuada de tp_repr
para los tipos de contenedor requiere un manejo de recursión especial. Además de proteger la pila, tp_repr
también necesita rastrear objetos para evitar ciclos. Las siguientes dos funciones facilitan esta funcionalidad. Efectivamente, estos son los C equivalentes a reprlib.recursive_repr()
.
-
int Py_ReprEnter(PyObject *object)¶
- Part of the Stable ABI.
Llamado al comienzo de la implementación
tp_repr
para detectar ciclos.Si el objeto ya ha sido procesado, la función retorna un entero positivo. En ese caso, la implementación
tp_repr
debería retornar un objeto de cadena que indique un ciclo. Como ejemplos, los objetosdict
retornan{...}
y los objetoslist
retornan[...]
.La función retornará un entero negativo si se alcanza el límite de recursión. En ese caso, la implementación
tp_repr
normalmente debería retornarNULL
.De lo contrario, la función retorna cero y la implementación
tp_repr
puede continuar normalmente.
-
void Py_ReprLeave(PyObject *object)¶
- Part of the Stable ABI.
Termina a
Py_ReprEnter()
. Se debe llamar una vez por cada invocación dePy_ReprEnter()
que retorna cero.
Excepciones estándar¶
Todas las excepciones estándar de Python están disponibles como variables globales cuyos nombres son PyExc_
seguidos del nombre de excepción de Python. Estos tienen el tipo PyObject*; todos son objetos de clase. Para completar, aquí están todas las variables:
Nombre en C |
Nombre en Python |
Notas |
---|---|---|
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
Added in version 3.3: PyExc_BlockingIOError
, PyExc_BrokenPipeError
, PyExc_ChildProcessError
, PyExc_ConnectionError
, PyExc_ConnectionAbortedError
, PyExc_ConnectionRefusedError
, PyExc_ConnectionResetError
, PyExc_FileExistsError
, PyExc_FileNotFoundError
, PyExc_InterruptedError
, PyExc_IsADirectoryError
, PyExc_NotADirectoryError
, PyExc_PermissionError
, PyExc_ProcessLookupError
y PyExc_TimeoutError
fueron introducidos luego de PEP 3151.
Added in version 3.5: PyExc_StopAsyncIteration
y PyExc_RecursionError
.
Added in version 3.6: PyExc_ModuleNotFoundError
.
Estos son alias de compatibilidad para PyExc_OSError
:
Nombre en C |
Notas |
---|---|
|
|
|
|
|
Distinto en la versión 3.3: Estos alias solían ser tipos de excepción separados.
Notas:
Categorías de advertencia estándar¶
Todas las categorías de advertencia estándar de Python están disponibles como variables globales cuyos nombres son PyExc_
seguidos del nombre de excepción de Python. Estos tienen el tipo PyObject*; todos son objetos de clase. Para completar, aquí están todas las variables:
Nombre en C |
Nombre en Python |
Notas |
---|---|---|
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
||
|
Added in version 3.2: PyExc_ResourceWarning
.
Notas:
Esta es una clase base para otras categorías de advertencia estándar.