Current File : //var/www/prestashop/modules/ps_metrics/vendor/squizlabs/php_codesniffer/src/Fixer.php
<?php

/**
 * A helper class for fixing errors.
 *
 * Provides helper functions that act upon a token array and modify the file
 * content.
 *
 * @author    Greg Sherwood <gsherwood@squiz.net>
 * @copyright 2006-2015 Squiz Pty Ltd (ABN 77 084 670 600)
 * @license   https://github.com/PHPCSStandards/PHP_CodeSniffer/blob/master/licence.txt BSD Licence
 */
namespace ps_metrics_module_v4_0_6\PHP_CodeSniffer;

use ps_metrics_module_v4_0_6\PHP_CodeSniffer\Exceptions\RuntimeException;
use ps_metrics_module_v4_0_6\PHP_CodeSniffer\Files\File;
use ps_metrics_module_v4_0_6\PHP_CodeSniffer\Util\Common;
class Fixer
{
    /**
     * Is the fixer enabled and fixing a file?
     *
     * Sniffs should check this value to ensure they are not
     * doing extra processing to prepare for a fix when fixing is
     * not required.
     *
     * @var boolean
     */
    public $enabled = \false;
    /**
     * The number of times we have looped over a file.
     *
     * @var integer
     */
    public $loops = 0;
    /**
     * The file being fixed.
     *
     * @var \PHP_CodeSniffer\Files\File
     */
    private $currentFile = null;
    /**
     * The list of tokens that make up the file contents.
     *
     * This is a simplified list which just contains the token content and nothing
     * else. This is the array that is updated as fixes are made, not the file's
     * token array. Imploding this array will give you the file content back.
     *
     * @var array<int, string>
     */
    private $tokens = [];
    /**
     * A list of tokens that have already been fixed.
     *
     * We don't allow the same token to be fixed more than once each time
     * through a file as this can easily cause conflicts between sniffs.
     *
     * @var int[]
     */
    private $fixedTokens = [];
    /**
     * The last value of each fixed token.
     *
     * If a token is being "fixed" back to its last value, the fix is
     * probably conflicting with another.
     *
     * @var array<int, array<string, mixed>>
     */
    private $oldTokenValues = [];
    /**
     * A list of tokens that have been fixed during a changeset.
     *
     * All changes in changeset must be able to be applied, or else
     * the entire changeset is rejected.
     *
     * @var array
     */
    private $changeset = [];
    /**
     * Is there an open changeset.
     *
     * @var boolean
     */
    private $inChangeset = \false;
    /**
     * Is the current fixing loop in conflict?
     *
     * @var boolean
     */
    private $inConflict = \false;
    /**
     * The number of fixes that have been performed.
     *
     * @var integer
     */
    private $numFixes = 0;
    /**
     * Starts fixing a new file.
     *
     * @param \PHP_CodeSniffer\Files\File $phpcsFile The file being fixed.
     *
     * @return void
     */
    public function startFile(File $phpcsFile)
    {
        $this->currentFile = $phpcsFile;
        $this->numFixes = 0;
        $this->fixedTokens = [];
        $tokens = $phpcsFile->getTokens();
        $this->tokens = [];
        foreach ($tokens as $index => $token) {
            if (isset($token['orig_content']) === \true) {
                $this->tokens[$index] = $token['orig_content'];
            } else {
                $this->tokens[$index] = $token['content'];
            }
        }
    }
    //end startFile()
    /**
     * Attempt to fix the file by processing it until no fixes are made.
     *
     * @return boolean
     */
    public function fixFile()
    {
        $fixable = $this->currentFile->getFixableCount();
        if ($fixable === 0) {
            // Nothing to fix.
            return \false;
        }
        $this->enabled = \true;
        $this->loops = 0;
        while ($this->loops < 50) {
            \ob_start();
            // Only needed once file content has changed.
            $contents = $this->getContents();
            if (PHP_CODESNIFFER_VERBOSITY > 2) {
                @\ob_end_clean();
                echo '---START FILE CONTENT---' . \PHP_EOL;
                $lines = \explode($this->currentFile->eolChar, $contents);
                $max = \strlen(\count($lines));
                foreach ($lines as $lineNum => $line) {
                    $lineNum++;
                    echo \str_pad($lineNum, $max, ' ', \STR_PAD_LEFT) . '|' . $line . \PHP_EOL;
                }
                echo '--- END FILE CONTENT ---' . \PHP_EOL;
                \ob_start();
            }
            $this->inConflict = \false;
            $this->currentFile->ruleset->populateTokenListeners();
            $this->currentFile->setContent($contents);
            $this->currentFile->process();
            \ob_end_clean();
            $this->loops++;
            if (PHP_CODESNIFFER_CBF === \true && PHP_CODESNIFFER_VERBOSITY > 0) {
                echo "\r" . \str_repeat(' ', 80) . "\r";
                echo "\t=> Fixing file: {$this->numFixes}/{$fixable} violations remaining [made {$this->loops} pass";
                if ($this->loops > 1) {
                    echo 'es';
                }
                echo ']... ';
                if (PHP_CODESNIFFER_VERBOSITY > 1) {
                    echo \PHP_EOL;
                }
            }
            if ($this->numFixes === 0 && $this->inConflict === \false) {
                // Nothing left to do.
                break;
            } else {
                if (PHP_CODESNIFFER_VERBOSITY > 1) {
                    echo "\t* fixed {$this->numFixes} violations, starting loop " . ($this->loops + 1) . ' *' . \PHP_EOL;
                }
            }
        }
        //end while
        $this->enabled = \false;
        if ($this->numFixes > 0) {
            if (PHP_CODESNIFFER_VERBOSITY > 1) {
                if (\ob_get_level() > 0) {
                    \ob_end_clean();
                }
                echo "\t*** Reached maximum number of loops with {$this->numFixes} violations left unfixed ***" . \PHP_EOL;
                \ob_start();
            }
            return \false;
        }
        return \true;
    }
    //end fixFile()
    /**
     * Generates a text diff of the original file and the new content.
     *
     * @param string  $filePath Optional file path to diff the file against.
     *                          If not specified, the original version of the
     *                          file will be used.
     * @param boolean $colors   Print coloured output or not.
     *
     * @return string
     *
     * @throws \PHP_CodeSniffer\Exceptions\RuntimeException when the diff command fails.
     */
    public function generateDiff($filePath = null, $colors = \true)
    {
        if ($filePath === null) {
            $filePath = $this->currentFile->getFilename();
        }
        $cwd = \getcwd() . \DIRECTORY_SEPARATOR;
        if (\strpos($filePath, $cwd) === 0) {
            $filename = \substr($filePath, \strlen($cwd));
        } else {
            $filename = $filePath;
        }
        $contents = $this->getContents();
        $tempName = \tempnam(\sys_get_temp_dir(), 'phpcs-fixer');
        $fixedFile = \fopen($tempName, 'w');
        \fwrite($fixedFile, $contents);
        // We must use something like shell_exec() or proc_open() because whitespace at the end
        // of lines is critical to diff files.
        // Using proc_open() instead of shell_exec improves performance on Windows significantly,
        // while the results are the same (though more code is needed to get the results).
        // This is specifically due to proc_open allowing to set the "bypass_shell" option.
        $filename = \escapeshellarg($filename);
        $cmd = "diff -u -L{$filename} -LPHP_CodeSniffer {$filename} \"{$tempName}\"";
        // Stream 0 = STDIN, 1 = STDOUT, 2 = STDERR.
        $descriptorspec = [0 => ['pipe', 'r'], 1 => ['pipe', 'w'], 2 => ['pipe', 'w']];
        $options = null;
        if (\stripos(\PHP_OS, 'WIN') === 0) {
            $options = ['bypass_shell' => \true];
        }
        $process = \proc_open($cmd, $descriptorspec, $pipes, $cwd, null, $options);
        if (\is_resource($process) === \false) {
            throw new RuntimeException('Could not obtain a resource to execute the diff command.');
        }
        // We don't need these.
        \fclose($pipes[0]);
        \fclose($pipes[2]);
        // Stdout will contain the actual diff.
        $diff = \stream_get_contents($pipes[1]);
        \fclose($pipes[1]);
        \proc_close($process);
        \fclose($fixedFile);
        if (\is_file($tempName) === \true) {
            \unlink($tempName);
        }
        if ($diff === \false || $diff === '') {
            return '';
        }
        if ($colors === \false) {
            return $diff;
        }
        $diffLines = \explode(\PHP_EOL, $diff);
        if (\count($diffLines) === 1) {
            // Seems to be required for cygwin.
            $diffLines = \explode("\n", $diff);
        }
        $diff = [];
        foreach ($diffLines as $line) {
            if (isset($line[0]) === \true) {
                switch ($line[0]) {
                    case '-':
                        $diff[] = "\x1b[31m{$line}\x1b[0m";
                        break;
                    case '+':
                        $diff[] = "\x1b[32m{$line}\x1b[0m";
                        break;
                    default:
                        $diff[] = $line;
                }
            }
        }
        $diff = \implode(\PHP_EOL, $diff);
        return $diff;
    }
    //end generateDiff()
    /**
     * Get a count of fixes that have been performed on the file.
     *
     * This value is reset every time a new file is started, or an existing
     * file is restarted.
     *
     * @return int
     */
    public function getFixCount()
    {
        return $this->numFixes;
    }
    //end getFixCount()
    /**
     * Get the current content of the file, as a string.
     *
     * @return string
     */
    public function getContents()
    {
        $contents = \implode($this->tokens);
        return $contents;
    }
    //end getContents()
    /**
     * Get the current fixed content of a token.
     *
     * This function takes changesets into account so should be used
     * instead of directly accessing the token array.
     *
     * @param int $stackPtr The position of the token in the token stack.
     *
     * @return string
     */
    public function getTokenContent($stackPtr)
    {
        if ($this->inChangeset === \true && isset($this->changeset[$stackPtr]) === \true) {
            return $this->changeset[$stackPtr];
        } else {
            return $this->tokens[$stackPtr];
        }
    }
    //end getTokenContent()
    /**
     * Start recording actions for a changeset.
     *
     * @return void|false
     */
    public function beginChangeset()
    {
        if ($this->inConflict === \true) {
            return \false;
        }
        if (PHP_CODESNIFFER_VERBOSITY > 1) {
            $bt = \debug_backtrace(\DEBUG_BACKTRACE_IGNORE_ARGS);
            if ($bt[1]['class'] === __CLASS__) {
                $sniff = 'Fixer';
            } else {
                $sniff = Common::getSniffCode($bt[1]['class']);
            }
            $line = $bt[0]['line'];
            @\ob_end_clean();
            echo "\t=> Changeset started by {$sniff}:{$line}" . \PHP_EOL;
            \ob_start();
        }
        $this->changeset = [];
        $this->inChangeset = \true;
    }
    //end beginChangeset()
    /**
     * Stop recording actions for a changeset, and apply logged changes.
     *
     * @return boolean
     */
    public function endChangeset()
    {
        if ($this->inConflict === \true) {
            return \false;
        }
        $this->inChangeset = \false;
        $success = \true;
        $applied = [];
        foreach ($this->changeset as $stackPtr => $content) {
            $success = $this->replaceToken($stackPtr, $content);
            if ($success === \false) {
                break;
            } else {
                $applied[] = $stackPtr;
            }
        }
        if ($success === \false) {
            // Rolling back all changes.
            foreach ($applied as $stackPtr) {
                $this->revertToken($stackPtr);
            }
            if (PHP_CODESNIFFER_VERBOSITY > 1) {
                @\ob_end_clean();
                echo "\t=> Changeset failed to apply" . \PHP_EOL;
                \ob_start();
            }
        } else {
            if (PHP_CODESNIFFER_VERBOSITY > 1) {
                $fixes = \count($this->changeset);
                @\ob_end_clean();
                echo "\t=> Changeset ended: {$fixes} changes applied" . \PHP_EOL;
                \ob_start();
            }
        }
        $this->changeset = [];
        return \true;
    }
    //end endChangeset()
    /**
     * Stop recording actions for a changeset, and discard logged changes.
     *
     * @return void
     */
    public function rollbackChangeset()
    {
        $this->inChangeset = \false;
        $this->inConflict = \false;
        if (empty($this->changeset) === \false) {
            if (PHP_CODESNIFFER_VERBOSITY > 1) {
                $bt = \debug_backtrace();
                if ($bt[1]['class'] === 'PHP_CodeSniffer\\Fixer') {
                    $sniff = $bt[2]['class'];
                    $line = $bt[1]['line'];
                } else {
                    $sniff = $bt[1]['class'];
                    $line = $bt[0]['line'];
                }
                $sniff = Common::getSniffCode($sniff);
                $numChanges = \count($this->changeset);
                @\ob_end_clean();
                echo "\t\tR: {$sniff}:{$line} rolled back the changeset ({$numChanges} changes)" . \PHP_EOL;
                echo "\t=> Changeset rolled back" . \PHP_EOL;
                \ob_start();
            }
            $this->changeset = [];
        }
        //end if
    }
    //end rollbackChangeset()
    /**
     * Replace the entire contents of a token.
     *
     * @param int    $stackPtr The position of the token in the token stack.
     * @param string $content  The new content of the token.
     *
     * @return bool If the change was accepted.
     */
    public function replaceToken($stackPtr, $content)
    {
        if ($this->inConflict === \true) {
            return \false;
        }
        if ($this->inChangeset === \false && isset($this->fixedTokens[$stackPtr]) === \true) {
            $indent = "\t";
            if (empty($this->changeset) === \false) {
                $indent .= "\t";
            }
            if (PHP_CODESNIFFER_VERBOSITY > 1) {
                @\ob_end_clean();
                echo "{$indent}* token {$stackPtr} has already been modified, skipping *" . \PHP_EOL;
                \ob_start();
            }
            return \false;
        }
        if (PHP_CODESNIFFER_VERBOSITY > 1) {
            $bt = \debug_backtrace(\DEBUG_BACKTRACE_IGNORE_ARGS);
            if ($bt[1]['class'] === 'PHP_CodeSniffer\\Fixer') {
                $sniff = $bt[2]['class'];
                $line = $bt[1]['line'];
            } else {
                $sniff = $bt[1]['class'];
                $line = $bt[0]['line'];
            }
            $sniff = Common::getSniffCode($sniff);
            $tokens = $this->currentFile->getTokens();
            $type = $tokens[$stackPtr]['type'];
            $tokenLine = $tokens[$stackPtr]['line'];
            $oldContent = Common::prepareForOutput($this->tokens[$stackPtr]);
            $newContent = Common::prepareForOutput($content);
            if (\trim($this->tokens[$stackPtr]) === '' && isset($this->tokens[$stackPtr + 1]) === \true) {
                // Add some context for whitespace only changes.
                $append = Common::prepareForOutput($this->tokens[$stackPtr + 1]);
                $oldContent .= $append;
                $newContent .= $append;
            }
        }
        //end if
        if ($this->inChangeset === \true) {
            $this->changeset[$stackPtr] = $content;
            if (PHP_CODESNIFFER_VERBOSITY > 1) {
                @\ob_end_clean();
                echo "\t\tQ: {$sniff}:{$line} replaced token {$stackPtr} ({$type} on line {$tokenLine}) \"{$oldContent}\" => \"{$newContent}\"" . \PHP_EOL;
                \ob_start();
            }
            return \true;
        }
        if (isset($this->oldTokenValues[$stackPtr]) === \false) {
            $this->oldTokenValues[$stackPtr] = ['curr' => $content, 'prev' => $this->tokens[$stackPtr], 'loop' => $this->loops];
        } else {
            if ($this->oldTokenValues[$stackPtr]['prev'] === $content && $this->oldTokenValues[$stackPtr]['loop'] === $this->loops - 1) {
                if (PHP_CODESNIFFER_VERBOSITY > 1) {
                    $indent = "\t";
                    if (empty($this->changeset) === \false) {
                        $indent .= "\t";
                    }
                    $loop = $this->oldTokenValues[$stackPtr]['loop'];
                    @\ob_end_clean();
                    echo "{$indent}**** {$sniff}:{$line} has possible conflict with another sniff on loop {$loop}; caused by the following change ****" . \PHP_EOL;
                    echo "{$indent}**** replaced token {$stackPtr} ({$type} on line {$tokenLine}) \"{$oldContent}\" => \"{$newContent}\" ****" . \PHP_EOL;
                }
                if ($this->oldTokenValues[$stackPtr]['loop'] >= $this->loops - 1) {
                    $this->inConflict = \true;
                    if (PHP_CODESNIFFER_VERBOSITY > 1) {
                        echo "{$indent}**** ignoring all changes until next loop ****" . \PHP_EOL;
                    }
                }
                if (PHP_CODESNIFFER_VERBOSITY > 1) {
                    \ob_start();
                }
                return \false;
            }
            //end if
            $this->oldTokenValues[$stackPtr]['prev'] = $this->oldTokenValues[$stackPtr]['curr'];
            $this->oldTokenValues[$stackPtr]['curr'] = $content;
            $this->oldTokenValues[$stackPtr]['loop'] = $this->loops;
        }
        //end if
        $this->fixedTokens[$stackPtr] = $this->tokens[$stackPtr];
        $this->tokens[$stackPtr] = $content;
        $this->numFixes++;
        if (PHP_CODESNIFFER_VERBOSITY > 1) {
            $indent = "\t";
            if (empty($this->changeset) === \false) {
                $indent .= "\tA: ";
            }
            if (\ob_get_level() > 0) {
                \ob_end_clean();
            }
            echo "{$indent}{$sniff}:{$line} replaced token {$stackPtr} ({$type} on line {$tokenLine}) \"{$oldContent}\" => \"{$newContent}\"" . \PHP_EOL;
            \ob_start();
        }
        return \true;
    }
    //end replaceToken()
    /**
     * Reverts the previous fix made to a token.
     *
     * @param int $stackPtr The position of the token in the token stack.
     *
     * @return bool If a change was reverted.
     */
    public function revertToken($stackPtr)
    {
        if (isset($this->fixedTokens[$stackPtr]) === \false) {
            return \false;
        }
        if (PHP_CODESNIFFER_VERBOSITY > 1) {
            $bt = \debug_backtrace(\DEBUG_BACKTRACE_IGNORE_ARGS);
            if ($bt[1]['class'] === 'PHP_CodeSniffer\\Fixer') {
                $sniff = $bt[2]['class'];
                $line = $bt[1]['line'];
            } else {
                $sniff = $bt[1]['class'];
                $line = $bt[0]['line'];
            }
            $sniff = Common::getSniffCode($sniff);
            $tokens = $this->currentFile->getTokens();
            $type = $tokens[$stackPtr]['type'];
            $tokenLine = $tokens[$stackPtr]['line'];
            $oldContent = Common::prepareForOutput($this->tokens[$stackPtr]);
            $newContent = Common::prepareForOutput($this->fixedTokens[$stackPtr]);
            if (\trim($this->tokens[$stackPtr]) === '' && isset($tokens[$stackPtr + 1]) === \true) {
                // Add some context for whitespace only changes.
                $append = Common::prepareForOutput($this->tokens[$stackPtr + 1]);
                $oldContent .= $append;
                $newContent .= $append;
            }
        }
        //end if
        $this->tokens[$stackPtr] = $this->fixedTokens[$stackPtr];
        unset($this->fixedTokens[$stackPtr]);
        $this->numFixes--;
        if (PHP_CODESNIFFER_VERBOSITY > 1) {
            $indent = "\t";
            if (empty($this->changeset) === \false) {
                $indent .= "\tR: ";
            }
            @\ob_end_clean();
            echo "{$indent}{$sniff}:{$line} reverted token {$stackPtr} ({$type} on line {$tokenLine}) \"{$oldContent}\" => \"{$newContent}\"" . \PHP_EOL;
            \ob_start();
        }
        return \true;
    }
    //end revertToken()
    /**
     * Replace the content of a token with a part of its current content.
     *
     * @param int $stackPtr The position of the token in the token stack.
     * @param int $start    The first character to keep.
     * @param int $length   The number of characters to keep. If NULL, the content of
     *                      the token from $start to the end of the content is kept.
     *
     * @return bool If the change was accepted.
     */
    public function substrToken($stackPtr, $start, $length = null)
    {
        $current = $this->getTokenContent($stackPtr);
        if ($length === null) {
            $newContent = \substr($current, $start);
        } else {
            $newContent = \substr($current, $start, $length);
        }
        return $this->replaceToken($stackPtr, $newContent);
    }
    //end substrToken()
    /**
     * Adds a newline to end of a token's content.
     *
     * @param int $stackPtr The position of the token in the token stack.
     *
     * @return bool If the change was accepted.
     */
    public function addNewline($stackPtr)
    {
        $current = $this->getTokenContent($stackPtr);
        return $this->replaceToken($stackPtr, $current . $this->currentFile->eolChar);
    }
    //end addNewline()
    /**
     * Adds a newline to the start of a token's content.
     *
     * @param int $stackPtr The position of the token in the token stack.
     *
     * @return bool If the change was accepted.
     */
    public function addNewlineBefore($stackPtr)
    {
        $current = $this->getTokenContent($stackPtr);
        return $this->replaceToken($stackPtr, $this->currentFile->eolChar . $current);
    }
    //end addNewlineBefore()
    /**
     * Adds content to the end of a token's current content.
     *
     * @param int    $stackPtr The position of the token in the token stack.
     * @param string $content  The content to add.
     *
     * @return bool If the change was accepted.
     */
    public function addContent($stackPtr, $content)
    {
        $current = $this->getTokenContent($stackPtr);
        return $this->replaceToken($stackPtr, $current . $content);
    }
    //end addContent()
    /**
     * Adds content to the start of a token's current content.
     *
     * @param int    $stackPtr The position of the token in the token stack.
     * @param string $content  The content to add.
     *
     * @return bool If the change was accepted.
     */
    public function addContentBefore($stackPtr, $content)
    {
        $current = $this->getTokenContent($stackPtr);
        return $this->replaceToken($stackPtr, $content . $current);
    }
    //end addContentBefore()
    /**
     * Adjust the indent of a code block.
     *
     * @param int $start  The position of the token in the token stack
     *                    to start adjusting the indent from.
     * @param int $end    The position of the token in the token stack
     *                    to end adjusting the indent.
     * @param int $change The number of spaces to adjust the indent by
     *                    (positive or negative).
     *
     * @return void
     */
    public function changeCodeBlockIndent($start, $end, $change)
    {
        $tokens = $this->currentFile->getTokens();
        $baseIndent = '';
        if ($change > 0) {
            $baseIndent = \str_repeat(' ', $change);
        }
        $useChangeset = \false;
        if ($this->inChangeset === \false) {
            $this->beginChangeset();
            $useChangeset = \true;
        }
        for ($i = $start; $i <= $end; $i++) {
            if ($tokens[$i]['column'] !== 1 || $tokens[$i + 1]['line'] !== $tokens[$i]['line']) {
                continue;
            }
            $length = 0;
            if ($tokens[$i]['code'] === \T_WHITESPACE || $tokens[$i]['code'] === T_DOC_COMMENT_WHITESPACE) {
                $length = $tokens[$i]['length'];
                $padding = $length + $change;
                if ($padding > 0) {
                    $padding = \str_repeat(' ', $padding);
                } else {
                    $padding = '';
                }
                $newContent = $padding . \ltrim($tokens[$i]['content']);
            } else {
                $newContent = $baseIndent . $tokens[$i]['content'];
            }
            $this->replaceToken($i, $newContent);
        }
        //end for
        if ($useChangeset === \true) {
            $this->endChangeset();
        }
    }
    //end changeCodeBlockIndent()
}
//end class
¿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!