Current File : //proc/self/root/usr/lib/python3.12/re/__pycache__/__init__.cpython-312.pyc
�

�(�g�?���dZddlZddlmZmZddlZddlZgd�ZdZejejejej��Gd�d	���Z
ejZd d
�Zd d�Zd d�Zd!d
�Zd!d�Zd!d�Zd d�Zd d�Zd d�Zd�Zd d�ZdD�cic]}|de|�z��c}Zd�Zeej.dd��Zeej.dd�jd��ZiZ iZ!dZ"dZ#e#e"ksJ�d�Z$ejJe"�d��Z&ddl'Z'd�Z(e'jRee(e$�Gd�d�Z*ycc}w)"a�Support for regular expressions (RE).

This module provides regular expression matching operations similar to
those found in Perl.  It supports both 8-bit and Unicode strings; both
the pattern and the strings being processed can contain null bytes and
characters outside the US ASCII range.

Regular expressions can contain both special and ordinary characters.
Most ordinary characters, like "A", "a", or "0", are the simplest
regular expressions; they simply match themselves.  You can
concatenate ordinary characters, so last matches the string 'last'.

The special characters are:
    "."      Matches any character except a newline.
    "^"      Matches the start of the string.
    "$"      Matches the end of the string or just before the newline at
             the end of the string.
    "*"      Matches 0 or more (greedy) repetitions of the preceding RE.
             Greedy means that it will match as many repetitions as possible.
    "+"      Matches 1 or more (greedy) repetitions of the preceding RE.
    "?"      Matches 0 or 1 (greedy) of the preceding RE.
    *?,+?,?? Non-greedy versions of the previous three special characters.
    {m,n}    Matches from m to n repetitions of the preceding RE.
    {m,n}?   Non-greedy version of the above.
    "\\"     Either escapes special characters or signals a special sequence.
    []       Indicates a set of characters.
             A "^" as the first character indicates a complementing set.
    "|"      A|B, creates an RE that will match either A or B.
    (...)    Matches the RE inside the parentheses.
             The contents can be retrieved or matched later in the string.
    (?aiLmsux) The letters set the corresponding flags defined below.
    (?:...)  Non-grouping version of regular parentheses.
    (?P<name>...) The substring matched by the group is accessible by name.
    (?P=name)     Matches the text matched earlier by the group named name.
    (?#...)  A comment; ignored.
    (?=...)  Matches if ... matches next, but doesn't consume the string.
    (?!...)  Matches if ... doesn't match next.
    (?<=...) Matches if preceded by ... (must be fixed length).
    (?<!...) Matches if not preceded by ... (must be fixed length).
    (?(id/name)yes|no) Matches yes pattern if the group with id/name matched,
                       the (optional) no pattern otherwise.

The special sequences consist of "\\" and a character from the list
below.  If the ordinary character is not on the list, then the
resulting RE will match the second character.
    \number  Matches the contents of the group of the same number.
    \A       Matches only at the start of the string.
    \Z       Matches only at the end of the string.
    \b       Matches the empty string, but only at the start or end of a word.
    \B       Matches the empty string, but not at the start or end of a word.
    \d       Matches any decimal digit; equivalent to the set [0-9] in
             bytes patterns or string patterns with the ASCII flag.
             In string patterns without the ASCII flag, it will match the whole
             range of Unicode digits.
    \D       Matches any non-digit character; equivalent to [^\d].
    \s       Matches any whitespace character; equivalent to [ \t\n\r\f\v] in
             bytes patterns or string patterns with the ASCII flag.
             In string patterns without the ASCII flag, it will match the whole
             range of Unicode whitespace characters.
    \S       Matches any non-whitespace character; equivalent to [^\s].
    \w       Matches any alphanumeric character; equivalent to [a-zA-Z0-9_]
             in bytes patterns or string patterns with the ASCII flag.
             In string patterns without the ASCII flag, it will match the
             range of Unicode alphanumeric characters (letters plus digits
             plus underscore).
             With LOCALE, it will match the set [0-9_] plus characters defined
             as letters for the current locale.
    \W       Matches the complement of \w.
    \\       Matches a literal backslash.

This module exports the following functions:
    match     Match a regular expression pattern to the beginning of a string.
    fullmatch Match a regular expression pattern to all of a string.
    search    Search a string for the presence of a pattern.
    sub       Substitute occurrences of a pattern found in a string.
    subn      Same as sub, but also return the number of substitutions made.
    split     Split a string by the occurrences of a pattern.
    findall   Find all occurrences of a pattern in a string.
    finditer  Return an iterator yielding a Match object for each match.
    compile   Compile a pattern into a Pattern object.
    purge     Clear the regular expression cache.
    escape    Backslash all non-alphanumerics in a string.

Each function other than purge and escape can take an optional 'flags' argument
consisting of one or more of the following module constants, joined by "|".
A, L, and U are mutually exclusive.
    A  ASCII       For string patterns, make \w, \W, \b, \B, \d, \D
                   match the corresponding ASCII character categories
                   (rather than the whole Unicode categories, which is the
                   default).
                   For bytes patterns, this flag is the only available
                   behaviour and needn't be specified.
    I  IGNORECASE  Perform case-insensitive matching.
    L  LOCALE      Make \w, \W, \b, \B, dependent on the current locale.
    M  MULTILINE   "^" matches the beginning of lines (after a newline)
                   as well as the string.
                   "$" matches the end of lines (before a newline) as well
                   as the end of the string.
    S  DOTALL      "." matches any character at all, including the newline.
    X  VERBOSE     Ignore whitespace and comments for nicer looking RE's.
    U  UNICODE     For compatibility only. Ignored for string patterns (it
                   is the default), and forbidden for bytes patterns.

This module also defines an exception 'error'.

�N�)�	_compiler�_parser)�match�	fullmatch�search�sub�subn�split�findall�finditer�compile�purge�template�escape�error�Pattern�Match�A�I�L�M�S�X�U�ASCII�
IGNORECASE�LOCALE�	MULTILINE�DOTALL�VERBOSE�UNICODE�NOFLAG�	RegexFlagz2.2.1)�boundaryc�$�eZdZdZej
xZZejxZ	Z
ejxZZ
ejxZZej"xZZej(xZZej.xZZej4xZZej:Zej@Z e!Z"y)r$rN)#�__name__�
__module__�__qualname__r#r�SRE_FLAG_ASCIIrr�SRE_FLAG_IGNORECASErr�SRE_FLAG_LOCALErr�SRE_FLAG_UNICODEr"r�SRE_FLAG_MULTILINErr�SRE_FLAG_DOTALLr r�SRE_FLAG_VERBOSEr!r�SRE_FLAG_TEMPLATE�TEMPLATE�T�SRE_FLAG_DEBUG�DEBUG�object�__str__�hex�_numeric_repr_���"/usr/lib/python3.12/re/__init__.pyr$r$�s����F��(�(�(�E�A��2�2�2�J���*�*�*�F�Q��,�,�,�G�a��0�0�0�I���*�*�*�F�Q��,�,�,�G�a��.�.�.�H�q��$�$�E��n�n�G��Nr;r$c�8�t||�j|�S)zqTry to apply the pattern at the start of the string, returning
    a Match object, or None if no match was found.)�_compiler��pattern�string�flagss   r<rr�s���G�U�#�)�)�&�1�1r;c�8�t||�j|�S)zkTry to apply the pattern to all of the string, returning
    a Match object, or None if no match was found.)r>rr?s   r<rr�s���G�U�#�-�-�f�5�5r;c�8�t||�j|�S)ztScan through string looking for a match to the pattern, returning
    a Match object, or None if no match was found.)r>rr?s   r<rr�s���G�U�#�*�*�6�2�2r;c�<�t||�j|||�S)aZReturn the string obtained by replacing the leftmost
    non-overlapping occurrences of the pattern in string by the
    replacement repl.  repl can be either a string or a callable;
    if a string, backslash escapes in it are processed.  If it is
    a callable, it's passed the Match object and must return
    a replacement string to be used.)r>r	�r@�replrA�countrBs     r<r	r	�s ���G�U�#�'�'��f�e�<�<r;c�<�t||�j|||�S)a�Return a 2-tuple containing (new_string, number).
    new_string is the string obtained by replacing the leftmost
    non-overlapping occurrences of the pattern in the source
    string by the replacement repl.  number is the number of
    substitutions that were made. repl can be either a string or a
    callable; if a string, backslash escapes in it are processed.
    If it is a callable, it's passed the Match object and must
    return a replacement string to be used.)r>r
rFs     r<r
r
�s ���G�U�#�(�(��v�u�=�=r;c�:�t||�j||�S)a�Split the source string by the occurrences of the pattern,
    returning a list containing the resulting substrings.  If
    capturing parentheses are used in pattern, then the text of all
    groups in the pattern are also returned as part of the resulting
    list.  If maxsplit is nonzero, at most maxsplit splits occur,
    and the remainder of the string is returned as the final element
    of the list.)r>r)r@rA�maxsplitrBs    r<rr�s���G�U�#�)�)�&�(�;�;r;c�8�t||�j|�S)aReturn a list of all non-overlapping matches in the string.

    If one or more capturing groups are present in the pattern, return
    a list of groups; this will be a list of tuples if the pattern
    has more than one group.

    Empty matches are included in the result.)r>rr?s   r<rr�s���G�U�#�+�+�F�3�3r;c�8�t||�j|�S)z�Return an iterator over all non-overlapping matches in the
    string.  For each match, the iterator returns a Match object.

    Empty matches are included in the result.)r>r
r?s   r<r
r
�s��
�G�U�#�,�,�V�4�4r;c��t||�S)zACompile a regular expression pattern, returning a Pattern object.)r>)r@rBs  r<rr�s���G�U�#�#r;c�|�tj�tj�tj	�y)z#Clear the regular expression cachesN)�_cache�clear�_cache2�_compile_template�cache_clearr:r;r<rr�s ��
�L�L�N��M�M�O��!�!�#r;c���ddl}|jdt�|j�5|j	dt�t||tz�cddd�S#1swYyxYw)zBCompile a template pattern, returning a Pattern object, deprecatedrNz�The re.template() function is deprecated as it is an undocumented function without an obvious purpose. Use re.compile() instead.�ignore)�warnings�warn�DeprecationWarning�catch_warnings�simplefilterr>r3)r@rBrWs   r<rr�s]����M�M�.�%�	&�

�	 �	 �	"�*����h�(:�;����q��)�*�*�*�s�)A�A's()[]{}?*+-|^$\.&~# 	

�\c��t|t�r|jt�St|d�}|jt�j	d�S)z0
    Escape special characters in a string.
    �latin1)�
isinstance�str�	translate�_special_chars_map�encode)r@s r<rr�sI���'�3��� � �!3�4�4��g�x�(��� � �!3�4�;�;�H�E�Er;�i�c�:�t|t�r|j}	tt	|�||fS#t
$rYnwxYwt	|�||f}tj|d�}|��t|t�r|rtd��|Stj|�std��|tzrddl}|jdt �tj"||�}|t$zr|St't�t(k\r9	tt+t-t��=n#t.t0t
f$rYnwxYw|t|<t't�t2k\r9	tt+t-t��=n#t.t0t
f$rYnwxYw|t|<|S)Nz5cannot process flags argument with a compiled patternz1first argument must be string or compiled patternrzoThe re.TEMPLATE/re.T flag is deprecated as it is an undocumented flag without an obvious purpose. Don't use it.)r_r$�valuerR�type�KeyErrorrP�popr�
ValueErrorr�isstring�	TypeErrorr3rWrXrYrr5�len�	_MAXCACHE�next�iter�
StopIteration�RuntimeError�
_MAXCACHE2)r@rB�key�prWs     r<r>r>sv���%��#�����
��t�G�}�g�u�4�5�5���
��
����=�'�5�
)�C��
�
�3���A��y��g�w�'�� �K�M�M��N��!�!�'�*��O�P�P��1�9���M�M�$�'�	
(�

���g�u�-���5�=��H��v�;�)�#�

��4��V��-�.��!�<��:�
��
���F�3�K�
�7�|�z�!�	���T�'�]�+�,���|�X�6�	��	���G�C�L��Hs0�3�	?�?�D � D7�6D7�E8�8F�Fc�V�tj|tj||��S�N)�_srerr�parse_template)r@rGs  r<rSrSKs"���=�=��'�"8�"8��w�"G�H�Hr;c�>�t|j|jffSrx)r>r@rB)rvs r<�_pickler|Ts���a�i�i����)�)�)r;c��eZdZdd�Zd�Zy)�Scannerc���ddlm}m}t|t�r|j
}||_g}tj�}||_	|D]j\}}|j�}	|jtj|||	ddtj||�ffg��|j|	|d��ltj||d|ffg�}tj |�|_y)Nr)�BRANCH�
SUBPATTERNr���)�
_constantsr�r�r_r$rg�lexiconr�StaterB�	opengroup�append�
SubPattern�parse�
closegrouprr�scanner)
�selfr�rBr�r�rv�s�phrase�action�gids
          r<�__init__zScanner.__init__]s���2��e�Y�'��K�K�E�������M�M�O�����%�	%�N�F�F��+�+�-�C�
�H�H�W�'�'���c�1�a����v�u�)E�F�G�,��
�
�L�L��a��e�$�	%�
���q�F�T�1�I�#6�"7�8�� �(�(��+��r;c�f�g}|j}|jj|�j}d}	|�}|snk|j�}||k(rnU|j|j
dz
d}t
|�r||_|||j��}|�||�|}�u|||dfS)Nrr)r�r�r�endr��	lastindex�callable�group)	r�rA�resultr�r�i�m�jr�s	         r<�scanzScanner.scanns������������$�$�V�,�2�2��
�����A�������A��A�v���\�\�!�+�+�a�-�0��3�F������
���a�g�g�i�0���!��v���A���v�a�b�z�!�!r;N�r)r'r(r)r�r�r:r;r<r~r~\s��,�""r;r~r�)rr)+�__doc__�enumrdrr�	functoolsry�__all__�__version__�global_enum�_simple_enum�IntFlag�KEEPr$rrrrr	r
rrr
rrr�chrrbrrhrrrPrRrortr>�	lru_cacherS�copyregr|�pickler~)r�s0r<�<module>r�s���"i�V� ��������������4�<�<�$�)�)�4�
�
�5��
� 	����
2�
6�
3�
=�	>�<�4�5�$�$�
*�"1R�R�1�a���A���&�R��F�� �y� � ��Q�'�
(���
�Y�
�
�r�1�
%�
+�
+�B�
/�0��
��
���	�
�
��I����1
�f����Y��I� �I��*�����w���*�
%"�%"��Ss�E
¿Qué es la limpieza dental de perros? - Clínica veterinaria


Es la eliminación del sarro y la placa adherida a la superficie de los dientes mediante un equipo de ultrasonidos que garantiza la integridad de las piezas dentales a la vez que elimina en profundidad cualquier resto de suciedad.

A continuación se procede al pulido de los dientes mediante una fresa especial que elimina la placa bacteriana y devuelve a los dientes el aspecto sano que deben tener.

Una vez terminado todo el proceso, se mantiene al perro en observación hasta que se despierta de la anestesia, bajo la atenta supervisión de un veterinario.

¿Cada cuánto tiempo tengo que hacerle una limpieza dental a mi perro?

A partir de cierta edad, los perros pueden necesitar una limpieza dental anual o bianual. Depende de cada caso. En líneas generales, puede decirse que los perros de razas pequeñas suelen acumular más sarro y suelen necesitar una atención mayor en cuanto a higiene dental.


Riesgos de una mala higiene


Los riesgos más evidentes de una mala higiene dental en los perros son los siguientes:

  • Cuando la acumulación de sarro no se trata, se puede producir una inflamación y retracción de las encías que puede descalzar el diente y provocar caídas.
  • Mal aliento (halitosis).
  • Sarro perros
  • Puede ir a más
  • Las bacterias de la placa pueden trasladarse a través del torrente circulatorio a órganos vitales como el corazón ocasionando problemas de endocarditis en las válvulas. Las bacterias pueden incluso acantonarse en huesos (La osteomielitis es la infección ósea, tanto cortical como medular) provocando mucho dolor y una artritis séptica).

¿Cómo se forma el sarro?

El sarro es la calcificación de la placa dental. Los restos de alimentos, junto con las bacterias presentes en la boca, van a formar la placa bacteriana o placa dental. Si la placa no se retira, al mezclarse con la saliva y los minerales presentes en ella, reaccionará formando una costra. La placa se calcifica y se forma el sarro.

El sarro, cuando se forma, es de color blanquecino pero a medida que pasa el tiempo se va poniendo amarillo y luego marrón.

Síntomas de una pobre higiene dental
La señal más obvia de una mala salud dental canina es el mal aliento.

Sin embargo, a veces no es tan fácil de detectar
Y hay perros que no se dejan abrir la boca por su dueño. Por ejemplo…

Recientemente nos trajeron a la clínica a un perro que parpadeaba de un ojo y decía su dueño que le picaba un lado de la cara. Tenía molestias y dificultad para comer, lo que había llevado a sus dueños a comprarle comida blanda (que suele ser un poco más cara y llevar más contenido en grasa) durante medio año. Después de una exploración oftalmológica, nos dimos cuenta de que el ojo tenía una úlcera en la córnea probablemente de rascarse . Además, el canto lateral del ojo estaba inflamado. Tenía lo que en humanos llamamos flemón pero como era un perro de pelo largo, no se le notaba a simple vista. Al abrirle la boca nos llamó la atención el ver una muela llena de sarro. Le realizamos una radiografía y encontramos una fístula que llegaba hasta la parte inferior del ojo.

Le tuvimos que extraer la muela. Tras esto, el ojo se curó completamente con unos colirios y una lentilla protectora de úlcera. Afortunadamente, la úlcera no profundizó y no perforó el ojo. Ahora el perro come perfectamente a pesar de haber perdido una muela.

¿Cómo mantener la higiene dental de tu perro?
Hay varias maneras de prevenir problemas derivados de la salud dental de tu perro.

Limpiezas de dientes en casa
Es recomendable limpiar los dientes de tu perro semanal o diariamente si se puede. Existe una gran variedad de productos que se pueden utilizar:

Pastas de dientes.
Cepillos de dientes o dedales para el dedo índice, que hacen más fácil la limpieza.
Colutorios para echar en agua de bebida o directamente sobre el diente en líquido o en spray.

En la Clínica Tus Veterinarios enseñamos a nuestros clientes a tomar el hábito de limpiar los dientes de sus perros desde que son cachorros. Esto responde a nuestro compromiso con la prevención de enfermedades caninas.

Hoy en día tenemos muchos clientes que limpian los dientes todos los días a su mascota, y como resultado, se ahorran el dinero de hacer limpiezas dentales profesionales y consiguen una mejor salud de su perro.


Limpiezas dentales profesionales de perros y gatos

Recomendamos hacer una limpieza dental especializada anualmente. La realizamos con un aparato de ultrasonidos que utiliza agua para quitar el sarro. Después, procedemos a pulir los dientes con un cepillo de alta velocidad y una pasta especial. Hacemos esto para proteger el esmalte.

La frecuencia de limpiezas dentales necesaria varía mucho entre razas. En general, las razas grandes tienen buena calidad de esmalte, por lo que no necesitan hacerlo tan a menudo e incluso pueden pasarse la vida sin requerir una limpieza. Sin embargo, razas pequeñas como el Yorkshire o el Maltés, deben hacérselas todos los años desde cachorros si se quiere conservar sus piezas dentales.

Otro factor fundamental es la calidad del pienso. Algunas marcas han diseñado croquetas que limpian la superficie del diente y de la muela al masticarse.

Ultrasonido para perros

¿Se necesita anestesia para las limpiezas dentales de perros y gatos?

La limpieza dental en perros no es una técnica que pueda practicarse sin anestesia general , aunque hay veces que los propietarios no quieren anestesiar y si tiene poco sarro y el perro es muy bueno se puede intentar…… , pero no se va a poder pulir ni acceder a todas la zona de la boca …. Además los limpiadores dentales van a irrigar agua y hay riesgo de aspiración a vías respiratorias si no se realiza una anestesia correcta con intubación traqueal . En resumen , sin anestesia no se va hacer una correcta limpieza dental.

Tampoco sirve la sedación ya que necesitamos que el animal esté totalmente quieto, y el veterinario tenga un acceso completo a todas sus piezas dentales y encías.

Alimentos para la limpieza dental

Hay que tener cierto cuidado a la hora de comprar determinados alimentos porque no todos son saludables. Algunos tienen demasiado contenido graso, que en exceso puede causar problemas cardiovasculares y obesidad.

Los mejores alimentos para los dientes son aquellos que están elaborados por empresas farmacéuticas y llevan componentes químicos con tratamientos específicos para el diente del perro. Esto implica no solo limpieza a través de la acción mecánica de morder sino también un tratamiento antibacteriano para prevenir el sarro.

Conclusión

Si eres como la mayoría de dueños, por falta de tiempo , es probable que no estés prestando la suficiente atención a la limpieza dental de tu perro. Por eso te animamos a que comiences a limpiar los dientes de tu perro y consideres atender a su higiene bucal con frecuencia.

Estas simples medidas pueden conllevar a que tu perro tenga una vida más larga y mucho más saludable.

Si te resulta imposible introducir un cepillo de dientes a tu perro en la boca, pásate con él por clínica Tus Veterinarios y te explicamos cómo hacerlo.

Necesitas hacer una limpieza dental profesional a tu mascota?
Llámanos al 622575274 o contacta con nosotros

Deja un comentario

Tu dirección de correo electrónico no será publicada. Los campos obligatorios están marcados con *

¡Hola!