Current File : /var/www/pediatribu/wp-content/plugins/mailpoet/vendor-prefixed/twig/twig/src/ExpressionParser.php
<?php
namespace MailPoetVendor\Twig;
if (!defined('ABSPATH')) exit;
use MailPoetVendor\Twig\Error\SyntaxError;
use MailPoetVendor\Twig\Node\Expression\AbstractExpression;
use MailPoetVendor\Twig\Node\Expression\ArrayExpression;
use MailPoetVendor\Twig\Node\Expression\ArrowFunctionExpression;
use MailPoetVendor\Twig\Node\Expression\AssignNameExpression;
use MailPoetVendor\Twig\Node\Expression\Binary\AbstractBinary;
use MailPoetVendor\Twig\Node\Expression\Binary\ConcatBinary;
use MailPoetVendor\Twig\Node\Expression\BlockReferenceExpression;
use MailPoetVendor\Twig\Node\Expression\ConditionalExpression;
use MailPoetVendor\Twig\Node\Expression\ConstantExpression;
use MailPoetVendor\Twig\Node\Expression\GetAttrExpression;
use MailPoetVendor\Twig\Node\Expression\MethodCallExpression;
use MailPoetVendor\Twig\Node\Expression\NameExpression;
use MailPoetVendor\Twig\Node\Expression\ParentExpression;
use MailPoetVendor\Twig\Node\Expression\TestExpression;
use MailPoetVendor\Twig\Node\Expression\Unary\AbstractUnary;
use MailPoetVendor\Twig\Node\Expression\Unary\NegUnary;
use MailPoetVendor\Twig\Node\Expression\Unary\NotUnary;
use MailPoetVendor\Twig\Node\Expression\Unary\PosUnary;
use MailPoetVendor\Twig\Node\Node;
class ExpressionParser
{
 public const OPERATOR_LEFT = 1;
 public const OPERATOR_RIGHT = 2;
 private $parser;
 private $env;
 private $unaryOperators;
 private $binaryOperators;
 public function __construct(Parser $parser, Environment $env)
 {
 $this->parser = $parser;
 $this->env = $env;
 $this->unaryOperators = $env->getUnaryOperators();
 $this->binaryOperators = $env->getBinaryOperators();
 }
 public function parseExpression($precedence = 0, $allowArrow = \false)
 {
 if ($allowArrow && ($arrow = $this->parseArrow())) {
 return $arrow;
 }
 $expr = $this->getPrimary();
 $token = $this->parser->getCurrentToken();
 while ($this->isBinary($token) && $this->binaryOperators[$token->getValue()]['precedence'] >= $precedence) {
 $op = $this->binaryOperators[$token->getValue()];
 $this->parser->getStream()->next();
 if ('is not' === $token->getValue()) {
 $expr = $this->parseNotTestExpression($expr);
 } elseif ('is' === $token->getValue()) {
 $expr = $this->parseTestExpression($expr);
 } elseif (isset($op['callable'])) {
 $expr = $op['callable']($this->parser, $expr);
 } else {
 $expr1 = $this->parseExpression(self::OPERATOR_LEFT === $op['associativity'] ? $op['precedence'] + 1 : $op['precedence'], \true);
 $class = $op['class'];
 $expr = new $class($expr, $expr1, $token->getLine());
 }
 $token = $this->parser->getCurrentToken();
 }
 if (0 === $precedence) {
 return $this->parseConditionalExpression($expr);
 }
 return $expr;
 }
 private function parseArrow()
 {
 $stream = $this->parser->getStream();
 // short array syntax (one argument, no parentheses)?
 if ($stream->look(1)->test(
 12
 )) {
 $line = $stream->getCurrent()->getLine();
 $token = $stream->expect(
 5
 );
 $names = [new AssignNameExpression($token->getValue(), $token->getLine())];
 $stream->expect(
 12
 );
 return new ArrowFunctionExpression($this->parseExpression(0), new Node($names), $line);
 }
 // first, determine if we are parsing an arrow function by finding => (long form)
 $i = 0;
 if (!$stream->look($i)->test(
 9,
 '('
 )) {
 return null;
 }
 ++$i;
 while (\true) {
 // variable name
 ++$i;
 if (!$stream->look($i)->test(
 9,
 ','
 )) {
 break;
 }
 ++$i;
 }
 if (!$stream->look($i)->test(
 9,
 ')'
 )) {
 return null;
 }
 ++$i;
 if (!$stream->look($i)->test(
 12
 )) {
 return null;
 }
 // yes, let's parse it properly
 $token = $stream->expect(
 9,
 '('
 );
 $line = $token->getLine();
 $names = [];
 while (\true) {
 $token = $stream->expect(
 5
 );
 $names[] = new AssignNameExpression($token->getValue(), $token->getLine());
 if (!$stream->nextIf(
 9,
 ','
 )) {
 break;
 }
 }
 $stream->expect(
 9,
 ')'
 );
 $stream->expect(
 12
 );
 return new ArrowFunctionExpression($this->parseExpression(0), new Node($names), $line);
 }
 private function getPrimary() : AbstractExpression
 {
 $token = $this->parser->getCurrentToken();
 if ($this->isUnary($token)) {
 $operator = $this->unaryOperators[$token->getValue()];
 $this->parser->getStream()->next();
 $expr = $this->parseExpression($operator['precedence']);
 $class = $operator['class'];
 return $this->parsePostfixExpression(new $class($expr, $token->getLine()));
 } elseif ($token->test(
 9,
 '('
 )) {
 $this->parser->getStream()->next();
 $expr = $this->parseExpression();
 $this->parser->getStream()->expect(
 9,
 ')',
 'An opened parenthesis is not properly closed'
 );
 return $this->parsePostfixExpression($expr);
 }
 return $this->parsePrimaryExpression();
 }
 private function parseConditionalExpression($expr) : AbstractExpression
 {
 while ($this->parser->getStream()->nextIf(
 9,
 '?'
 )) {
 if (!$this->parser->getStream()->nextIf(
 9,
 ':'
 )) {
 $expr2 = $this->parseExpression();
 if ($this->parser->getStream()->nextIf(
 9,
 ':'
 )) {
 // Ternary operator (expr ? expr2 : expr3)
 $expr3 = $this->parseExpression();
 } else {
 // Ternary without else (expr ? expr2)
 $expr3 = new ConstantExpression('', $this->parser->getCurrentToken()->getLine());
 }
 } else {
 // Ternary without then (expr ?: expr3)
 $expr2 = $expr;
 $expr3 = $this->parseExpression();
 }
 $expr = new ConditionalExpression($expr, $expr2, $expr3, $this->parser->getCurrentToken()->getLine());
 }
 return $expr;
 }
 private function isUnary(Token $token) : bool
 {
 return $token->test(
 8
 ) && isset($this->unaryOperators[$token->getValue()]);
 }
 private function isBinary(Token $token) : bool
 {
 return $token->test(
 8
 ) && isset($this->binaryOperators[$token->getValue()]);
 }
 public function parsePrimaryExpression()
 {
 $token = $this->parser->getCurrentToken();
 switch ($token->getType()) {
 case 5:
 $this->parser->getStream()->next();
 switch ($token->getValue()) {
 case 'true':
 case 'TRUE':
 $node = new ConstantExpression(\true, $token->getLine());
 break;
 case 'false':
 case 'FALSE':
 $node = new ConstantExpression(\false, $token->getLine());
 break;
 case 'none':
 case 'NONE':
 case 'null':
 case 'NULL':
 $node = new ConstantExpression(null, $token->getLine());
 break;
 default:
 if ('(' === $this->parser->getCurrentToken()->getValue()) {
 $node = $this->getFunctionNode($token->getValue(), $token->getLine());
 } else {
 $node = new NameExpression($token->getValue(), $token->getLine());
 }
 }
 break;
 case 6:
 $this->parser->getStream()->next();
 $node = new ConstantExpression($token->getValue(), $token->getLine());
 break;
 case 7:
 case 10:
 $node = $this->parseStringExpression();
 break;
 case 8:
 if (\preg_match(Lexer::REGEX_NAME, $token->getValue(), $matches) && $matches[0] == $token->getValue()) {
 // in this context, string operators are variable names
 $this->parser->getStream()->next();
 $node = new NameExpression($token->getValue(), $token->getLine());
 break;
 }
 if (isset($this->unaryOperators[$token->getValue()])) {
 $class = $this->unaryOperators[$token->getValue()]['class'];
 if (!\in_array($class, [NegUnary::class, PosUnary::class])) {
 throw new SyntaxError(\sprintf('Unexpected unary operator "%s".', $token->getValue()), $token->getLine(), $this->parser->getStream()->getSourceContext());
 }
 $this->parser->getStream()->next();
 $expr = $this->parsePrimaryExpression();
 $node = new $class($expr, $token->getLine());
 break;
 }
 // no break
 default:
 if ($token->test(
 9,
 '['
 )) {
 $node = $this->parseSequenceExpression();
 } elseif ($token->test(
 9,
 '{'
 )) {
 $node = $this->parseMappingExpression();
 } elseif ($token->test(
 8,
 '='
 ) && ('==' === $this->parser->getStream()->look(-1)->getValue() || '!=' === $this->parser->getStream()->look(-1)->getValue())) {
 throw new SyntaxError(\sprintf('Unexpected operator of value "%s". Did you try to use "===" or "!==" for strict comparison? Use "is same as(value)" instead.', $token->getValue()), $token->getLine(), $this->parser->getStream()->getSourceContext());
 } else {
 throw new SyntaxError(\sprintf('Unexpected token "%s" of value "%s".', Token::typeToEnglish($token->getType()), $token->getValue()), $token->getLine(), $this->parser->getStream()->getSourceContext());
 }
 }
 return $this->parsePostfixExpression($node);
 }
 public function parseStringExpression()
 {
 $stream = $this->parser->getStream();
 $nodes = [];
 // a string cannot be followed by another string in a single expression
 $nextCanBeString = \true;
 while (\true) {
 if ($nextCanBeString && ($token = $stream->nextIf(
 7
 ))) {
 $nodes[] = new ConstantExpression($token->getValue(), $token->getLine());
 $nextCanBeString = \false;
 } elseif ($stream->nextIf(
 10
 )) {
 $nodes[] = $this->parseExpression();
 $stream->expect(
 11
 );
 $nextCanBeString = \true;
 } else {
 break;
 }
 }
 $expr = \array_shift($nodes);
 foreach ($nodes as $node) {
 $expr = new ConcatBinary($expr, $node, $node->getTemplateLine());
 }
 return $expr;
 }
 public function parseArrayExpression()
 {
 trigger_deprecation('twig/twig', '3.11', 'Calling "%s()" is deprecated, use "parseSequenceExpression()" instead.', __METHOD__);
 return $this->parseSequenceExpression();
 }
 public function parseSequenceExpression()
 {
 $stream = $this->parser->getStream();
 $stream->expect(
 9,
 '[',
 'A sequence element was expected'
 );
 $node = new ArrayExpression([], $stream->getCurrent()->getLine());
 $first = \true;
 while (!$stream->test(
 9,
 ']'
 )) {
 if (!$first) {
 $stream->expect(
 9,
 ',',
 'A sequence element must be followed by a comma'
 );
 // trailing ,?
 if ($stream->test(
 9,
 ']'
 )) {
 break;
 }
 }
 $first = \false;
 if ($stream->test(
 13
 )) {
 $stream->next();
 $expr = $this->parseExpression();
 $expr->setAttribute('spread', \true);
 $node->addElement($expr);
 } else {
 $node->addElement($this->parseExpression());
 }
 }
 $stream->expect(
 9,
 ']',
 'An opened sequence is not properly closed'
 );
 return $node;
 }
 public function parseHashExpression()
 {
 trigger_deprecation('twig/twig', '3.11', 'Calling "%s()" is deprecated, use "parseMappingExpression()" instead.', __METHOD__);
 return $this->parseMappingExpression();
 }
 public function parseMappingExpression()
 {
 $stream = $this->parser->getStream();
 $stream->expect(
 9,
 '{',
 'A mapping element was expected'
 );
 $node = new ArrayExpression([], $stream->getCurrent()->getLine());
 $first = \true;
 while (!$stream->test(
 9,
 '}'
 )) {
 if (!$first) {
 $stream->expect(
 9,
 ',',
 'A mapping value must be followed by a comma'
 );
 // trailing ,?
 if ($stream->test(
 9,
 '}'
 )) {
 break;
 }
 }
 $first = \false;
 if ($stream->test(
 13
 )) {
 $stream->next();
 $value = $this->parseExpression();
 $value->setAttribute('spread', \true);
 $node->addElement($value);
 continue;
 }
 // a mapping key can be:
 //
 // * a number -- 12
 // * a string -- 'a'
 // * a name, which is equivalent to a string -- a
 // * an expression, which must be enclosed in parentheses -- (1 + 2)
 if ($token = $stream->nextIf(
 5
 )) {
 $key = new ConstantExpression($token->getValue(), $token->getLine());
 // {a} is a shortcut for {a:a}
 if ($stream->test(Token::PUNCTUATION_TYPE, [',', '}'])) {
 $value = new NameExpression($key->getAttribute('value'), $key->getTemplateLine());
 $node->addElement($value, $key);
 continue;
 }
 } elseif (($token = $stream->nextIf(
 7
 )) || ($token = $stream->nextIf(
 6
 ))) {
 $key = new ConstantExpression($token->getValue(), $token->getLine());
 } elseif ($stream->test(
 9,
 '('
 )) {
 $key = $this->parseExpression();
 } else {
 $current = $stream->getCurrent();
 throw new SyntaxError(\sprintf('A mapping key must be a quoted string, a number, a name, or an expression enclosed in parentheses (unexpected token "%s" of value "%s".', Token::typeToEnglish($current->getType()), $current->getValue()), $current->getLine(), $stream->getSourceContext());
 }
 $stream->expect(
 9,
 ':',
 'A mapping key must be followed by a colon (:)'
 );
 $value = $this->parseExpression();
 $node->addElement($value, $key);
 }
 $stream->expect(
 9,
 '}',
 'An opened mapping is not properly closed'
 );
 return $node;
 }
 public function parsePostfixExpression($node)
 {
 while (\true) {
 $token = $this->parser->getCurrentToken();
 if (9 == $token->getType()) {
 if ('.' == $token->getValue() || '[' == $token->getValue()) {
 $node = $this->parseSubscriptExpression($node);
 } elseif ('|' == $token->getValue()) {
 $node = $this->parseFilterExpression($node);
 } else {
 break;
 }
 } else {
 break;
 }
 }
 return $node;
 }
 public function getFunctionNode($name, $line)
 {
 switch ($name) {
 case 'parent':
 $this->parseArguments();
 if (!\count($this->parser->getBlockStack())) {
 throw new SyntaxError('Calling "parent" outside a block is forbidden.', $line, $this->parser->getStream()->getSourceContext());
 }
 if (!$this->parser->getParent() && !$this->parser->hasTraits()) {
 throw new SyntaxError('Calling "parent" on a template that does not extend nor "use" another template is forbidden.', $line, $this->parser->getStream()->getSourceContext());
 }
 return new ParentExpression($this->parser->peekBlockStack(), $line);
 case 'block':
 $args = $this->parseArguments();
 if (\count($args) < 1) {
 throw new SyntaxError('The "block" function takes one argument (the block name).', $line, $this->parser->getStream()->getSourceContext());
 }
 return new BlockReferenceExpression($args->getNode('0'), \count($args) > 1 ? $args->getNode('1') : null, $line);
 case 'attribute':
 $args = $this->parseArguments();
 if (\count($args) < 2) {
 throw new SyntaxError('The "attribute" function takes at least two arguments (the variable and the attributes).', $line, $this->parser->getStream()->getSourceContext());
 }
 return new GetAttrExpression($args->getNode('0'), $args->getNode('1'), \count($args) > 2 ? $args->getNode('2') : null, Template::ANY_CALL, $line);
 default:
 if (null !== ($alias = $this->parser->getImportedSymbol('function', $name))) {
 $arguments = new ArrayExpression([], $line);
 foreach ($this->parseArguments() as $n) {
 $arguments->addElement($n);
 }
 $node = new MethodCallExpression($alias['node'], $alias['name'], $arguments, $line);
 $node->setAttribute('safe', \true);
 return $node;
 }
 $args = $this->parseArguments(\true);
 $class = $this->getFunctionNodeClass($name, $line);
 return new $class($name, $args, $line);
 }
 }
 public function parseSubscriptExpression($node)
 {
 $stream = $this->parser->getStream();
 $token = $stream->next();
 $lineno = $token->getLine();
 $arguments = new ArrayExpression([], $lineno);
 $type = Template::ANY_CALL;
 if ('.' == $token->getValue()) {
 $token = $stream->next();
 if (5 == $token->getType() || 6 == $token->getType() || 8 == $token->getType() && \preg_match(Lexer::REGEX_NAME, $token->getValue())) {
 $arg = new ConstantExpression($token->getValue(), $lineno);
 if ($stream->test(
 9,
 '('
 )) {
 $type = Template::METHOD_CALL;
 foreach ($this->parseArguments() as $n) {
 $arguments->addElement($n);
 }
 }
 } else {
 throw new SyntaxError(\sprintf('Expected name or number, got value "%s" of type %s.', $token->getValue(), Token::typeToEnglish($token->getType())), $lineno, $stream->getSourceContext());
 }
 if ($node instanceof NameExpression && null !== $this->parser->getImportedSymbol('template', $node->getAttribute('name'))) {
 $name = $arg->getAttribute('value');
 $node = new MethodCallExpression($node, 'macro_' . $name, $arguments, $lineno);
 $node->setAttribute('safe', \true);
 return $node;
 }
 } else {
 $type = Template::ARRAY_CALL;
 // slice?
 $slice = \false;
 if ($stream->test(
 9,
 ':'
 )) {
 $slice = \true;
 $arg = new ConstantExpression(0, $token->getLine());
 } else {
 $arg = $this->parseExpression();
 }
 if ($stream->nextIf(
 9,
 ':'
 )) {
 $slice = \true;
 }
 if ($slice) {
 if ($stream->test(
 9,
 ']'
 )) {
 $length = new ConstantExpression(null, $token->getLine());
 } else {
 $length = $this->parseExpression();
 }
 $class = $this->getFilterNodeClass('slice', $token->getLine());
 $arguments = new Node([$arg, $length]);
 $filter = new $class($node, new ConstantExpression('slice', $token->getLine()), $arguments, $token->getLine());
 $stream->expect(
 9,
 ']'
 );
 return $filter;
 }
 $stream->expect(
 9,
 ']'
 );
 }
 return new GetAttrExpression($node, $arg, $arguments, $type, $lineno);
 }
 public function parseFilterExpression($node)
 {
 $this->parser->getStream()->next();
 return $this->parseFilterExpressionRaw($node);
 }
 public function parseFilterExpressionRaw($node, $tag = null)
 {
 while (\true) {
 $token = $this->parser->getStream()->expect(
 5
 );
 $name = new ConstantExpression($token->getValue(), $token->getLine());
 if (!$this->parser->getStream()->test(
 9,
 '('
 )) {
 $arguments = new Node();
 } else {
 $arguments = $this->parseArguments(\true, \false, \true);
 }
 $class = $this->getFilterNodeClass($name->getAttribute('value'), $token->getLine());
 $node = new $class($node, $name, $arguments, $token->getLine(), $tag);
 if (!$this->parser->getStream()->test(
 9,
 '|'
 )) {
 break;
 }
 $this->parser->getStream()->next();
 }
 return $node;
 }
 public function parseArguments($namedArguments = \false, $definition = \false, $allowArrow = \false)
 {
 $args = [];
 $stream = $this->parser->getStream();
 $stream->expect(
 9,
 '(',
 'A list of arguments must begin with an opening parenthesis'
 );
 while (!$stream->test(
 9,
 ')'
 )) {
 if (!empty($args)) {
 $stream->expect(
 9,
 ',',
 'Arguments must be separated by a comma'
 );
 // if the comma above was a trailing comma, early exit the argument parse loop
 if ($stream->test(
 9,
 ')'
 )) {
 break;
 }
 }
 if ($definition) {
 $token = $stream->expect(
 5,
 null,
 'An argument must be a name'
 );
 $value = new NameExpression($token->getValue(), $this->parser->getCurrentToken()->getLine());
 } else {
 $value = $this->parseExpression(0, $allowArrow);
 }
 $name = null;
 if ($namedArguments && ($token = $stream->nextIf(
 8,
 '='
 ))) {
 if (!$value instanceof NameExpression) {
 throw new SyntaxError(\sprintf('A parameter name must be a string, "%s" given.', \get_class($value)), $token->getLine(), $stream->getSourceContext());
 }
 $name = $value->getAttribute('name');
 if ($definition) {
 $value = $this->parsePrimaryExpression();
 if (!$this->checkConstantExpression($value)) {
 throw new SyntaxError('A default value for an argument must be a constant (a boolean, a string, a number, a sequence, or a mapping).', $token->getLine(), $stream->getSourceContext());
 }
 } else {
 $value = $this->parseExpression(0, $allowArrow);
 }
 }
 if ($definition) {
 if (null === $name) {
 $name = $value->getAttribute('name');
 $value = new ConstantExpression(null, $this->parser->getCurrentToken()->getLine());
 }
 $args[$name] = $value;
 } else {
 if (null === $name) {
 $args[] = $value;
 } else {
 $args[$name] = $value;
 }
 }
 }
 $stream->expect(
 9,
 ')',
 'A list of arguments must be closed by a parenthesis'
 );
 return new Node($args);
 }
 public function parseAssignmentExpression()
 {
 $stream = $this->parser->getStream();
 $targets = [];
 while (\true) {
 $token = $this->parser->getCurrentToken();
 if ($stream->test(
 8
 ) && \preg_match(Lexer::REGEX_NAME, $token->getValue())) {
 // in this context, string operators are variable names
 $this->parser->getStream()->next();
 } else {
 $stream->expect(
 5,
 null,
 'Only variables can be assigned to'
 );
 }
 $value = $token->getValue();
 if (\in_array(\strtr($value, 'ABCDEFGHIJKLMNOPQRSTUVWXYZ', 'abcdefghijklmnopqrstuvwxyz'), ['true', 'false', 'none', 'null'])) {
 throw new SyntaxError(\sprintf('You cannot assign a value to "%s".', $value), $token->getLine(), $stream->getSourceContext());
 }
 $targets[] = new AssignNameExpression($value, $token->getLine());
 if (!$stream->nextIf(
 9,
 ','
 )) {
 break;
 }
 }
 return new Node($targets);
 }
 public function parseMultitargetExpression()
 {
 $targets = [];
 while (\true) {
 $targets[] = $this->parseExpression();
 if (!$this->parser->getStream()->nextIf(
 9,
 ','
 )) {
 break;
 }
 }
 return new Node($targets);
 }
 private function parseNotTestExpression(Node $node) : NotUnary
 {
 return new NotUnary($this->parseTestExpression($node), $this->parser->getCurrentToken()->getLine());
 }
 private function parseTestExpression(Node $node) : TestExpression
 {
 $stream = $this->parser->getStream();
 [$name, $test] = $this->getTest($node->getTemplateLine());
 $class = $this->getTestNodeClass($test);
 $arguments = null;
 if ($stream->test(
 9,
 '('
 )) {
 $arguments = $this->parseArguments(\true);
 } elseif ($test->hasOneMandatoryArgument()) {
 $arguments = new Node([0 => $this->parsePrimaryExpression()]);
 }
 if ('defined' === $name && $node instanceof NameExpression && null !== ($alias = $this->parser->getImportedSymbol('function', $node->getAttribute('name')))) {
 $node = new MethodCallExpression($alias['node'], $alias['name'], new ArrayExpression([], $node->getTemplateLine()), $node->getTemplateLine());
 $node->setAttribute('safe', \true);
 }
 return new $class($node, $name, $arguments, $this->parser->getCurrentToken()->getLine());
 }
 private function getTest(int $line) : array
 {
 $stream = $this->parser->getStream();
 $name = $stream->expect(
 5
 )->getValue();
 if ($test = $this->env->getTest($name)) {
 return [$name, $test];
 }
 if ($stream->test(
 5
 )) {
 // try 2-words tests
 $name = $name . ' ' . $this->parser->getCurrentToken()->getValue();
 if ($test = $this->env->getTest($name)) {
 $stream->next();
 return [$name, $test];
 }
 }
 $e = new SyntaxError(\sprintf('Unknown "%s" test.', $name), $line, $stream->getSourceContext());
 $e->addSuggestions($name, \array_keys($this->env->getTests()));
 throw $e;
 }
 private function getTestNodeClass(TwigTest $test) : string
 {
 if ($test->isDeprecated()) {
 $stream = $this->parser->getStream();
 $message = \sprintf('Twig Test "%s" is deprecated', $test->getName());
 if ($test->getAlternative()) {
 $message .= \sprintf('. Use "%s" instead', $test->getAlternative());
 }
 $src = $stream->getSourceContext();
 $message .= \sprintf(' in %s at line %d.', $src->getPath() ?: $src->getName(), $stream->getCurrent()->getLine());
 trigger_deprecation($test->getDeprecatingPackage(), $test->getDeprecatedVersion(), $message);
 }
 return $test->getNodeClass();
 }
 private function getFunctionNodeClass(string $name, int $line) : string
 {
 if (!($function = $this->env->getFunction($name))) {
 $e = new SyntaxError(\sprintf('Unknown "%s" function.', $name), $line, $this->parser->getStream()->getSourceContext());
 $e->addSuggestions($name, \array_keys($this->env->getFunctions()));
 throw $e;
 }
 if ($function->isDeprecated()) {
 $message = \sprintf('Twig Function "%s" is deprecated', $function->getName());
 if ($function->getAlternative()) {
 $message .= \sprintf('. Use "%s" instead', $function->getAlternative());
 }
 $src = $this->parser->getStream()->getSourceContext();
 $message .= \sprintf(' in %s at line %d.', $src->getPath() ?: $src->getName(), $line);
 trigger_deprecation($function->getDeprecatingPackage(), $function->getDeprecatedVersion(), $message);
 }
 return $function->getNodeClass();
 }
 private function getFilterNodeClass(string $name, int $line) : string
 {
 if (!($filter = $this->env->getFilter($name))) {
 $e = new SyntaxError(\sprintf('Unknown "%s" filter.', $name), $line, $this->parser->getStream()->getSourceContext());
 $e->addSuggestions($name, \array_keys($this->env->getFilters()));
 throw $e;
 }
 if ($filter->isDeprecated()) {
 $message = \sprintf('Twig Filter "%s" is deprecated', $filter->getName());
 if ($filter->getAlternative()) {
 $message .= \sprintf('. Use "%s" instead', $filter->getAlternative());
 }
 $src = $this->parser->getStream()->getSourceContext();
 $message .= \sprintf(' in %s at line %d.', $src->getPath() ?: $src->getName(), $line);
 trigger_deprecation($filter->getDeprecatingPackage(), $filter->getDeprecatedVersion(), $message);
 }
 return $filter->getNodeClass();
 }
 // checks that the node only contains "constant" elements
 private function checkConstantExpression(Node $node) : bool
 {
 if (!($node instanceof ConstantExpression || $node instanceof ArrayExpression || $node instanceof NegUnary || $node instanceof PosUnary)) {
 return \false;
 }
 foreach ($node as $n) {
 if (!$this->checkConstantExpression($n)) {
 return \false;
 }
 }
 return \true;
 }
}
¿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!