* @author Nicolas Grekas
*/
class EventDispatcher implements EventDispatcherInterface
{
private $listeners = [];
private $sorted = [];
/**
* {@inheritdoc}
*/
public function dispatch($eventName, Event $event = null)
{
if (null === $event) {
$event = new Event();
}
if ($listeners = $this->getListeners($eventName)) {
$this->doDispatch($listeners, $eventName, $event);
}
return $event;
}
/**
* {@inheritdoc}
*/
public function getListeners($eventName = null)
{
if (null !== $eventName) {
if (empty($this->listeners[$eventName])) {
return [];
}
if (!isset($this->sorted[$eventName])) {
$this->sortListeners($eventName);
}
return $this->sorted[$eventName];
}
foreach ($this->listeners as $eventName => $eventListeners) {
if (!isset($this->sorted[$eventName])) {
$this->sortListeners($eventName);
}
}
return array_filter($this->sorted);
}
/**
* {@inheritdoc}
*/
public function getListenerPriority($eventName, $listener)
{
if (empty($this->listeners[$eventName])) {
return null;
}
if (\is_array($listener) && isset($listener[0]) && $listener[0] instanceof \Closure) {
$listener[0] = $listener[0]();
}
foreach ($this->listeners[$eventName] as $priority => $listeners) {
foreach ($listeners as $k => $v) {
if ($v !== $listener && \is_array($v) && isset($v[0]) && $v[0] instanceof \Closure) {
$v[0] = $v[0]();
$this->listeners[$eventName][$priority][$k] = $v;
}
if ($v === $listener) {
return $priority;
}
}
}
return null;
}
/**
* {@inheritdoc}
*/
public function hasListeners($eventName = null)
{
if (null !== $eventName) {
return !empty($this->listeners[$eventName]);
}
foreach ($this->listeners as $eventListeners) {
if ($eventListeners) {
return true;
}
}
return false;
}
/**
* {@inheritdoc}
*/
public function addListener($eventName, $listener, $priority = 0)
{
$this->listeners[$eventName][$priority][] = $listener;
unset($this->sorted[$eventName]);
}
/**
* {@inheritdoc}
*/
public function removeListener($eventName, $listener)
{
if (empty($this->listeners[$eventName])) {
return;
}
if (\is_array($listener) && isset($listener[0]) && $listener[0] instanceof \Closure) {
$listener[0] = $listener[0]();
}
foreach ($this->listeners[$eventName] as $priority => $listeners) {
foreach ($listeners as $k => $v) {
if ($v !== $listener && \is_array($v) && isset($v[0]) && $v[0] instanceof \Closure) {
$v[0] = $v[0]();
}
if ($v === $listener) {
unset($listeners[$k], $this->sorted[$eventName]);
} else {
$listeners[$k] = $v;
}
}
if ($listeners) {
$this->listeners[$eventName][$priority] = $listeners;
} else {
unset($this->listeners[$eventName][$priority]);
}
}
}
/**
* {@inheritdoc}
*/
public function addSubscriber(EventSubscriberInterface $subscriber)
{
foreach ($subscriber->getSubscribedEvents() as $eventName => $params) {
if (\is_string($params)) {
$this->addListener($eventName, [$subscriber, $params]);
} elseif (\is_string($params[0])) {
$this->addListener($eventName, [$subscriber, $params[0]], isset($params[1]) ? $params[1] : 0);
} else {
foreach ($params as $listener) {
$this->addListener($eventName, [$subscriber, $listener[0]], isset($listener[1]) ? $listener[1] : 0);
}
}
}
}
/**
* {@inheritdoc}
*/
public function removeSubscriber(EventSubscriberInterface $subscriber)
{
foreach ($subscriber->getSubscribedEvents() as $eventName => $params) {
if (\is_array($params) && \is_array($params[0])) {
foreach ($params as $listener) {
$this->removeListener($eventName, [$subscriber, $listener[0]]);
}
} else {
$this->removeListener($eventName, [$subscriber, \is_string($params) ? $params : $params[0]]);
}
}
}
/**
* Triggers the listeners of an event.
*
* This method can be overridden to add functionality that is executed
* for each listener.
*
* @param callable[] $listeners The event listeners
* @param string $eventName The name of the event to dispatch
* @param Event $event The event object to pass to the event handlers/listeners
*/
protected function doDispatch($listeners, $eventName, Event $event)
{
foreach ($listeners as $listener) {
if ($event->isPropagationStopped()) {
break;
}
\call_user_func($listener, $event, $eventName, $this);
}
}
/**
* Sorts the internal list of listeners for the given event by priority.
*
* @param string $eventName The name of the event
*/
private function sortListeners($eventName)
{
krsort($this->listeners[$eventName]);
$this->sorted[$eventName] = [];
foreach ($this->listeners[$eventName] as $priority => $listeners) {
foreach ($listeners as $k => $listener) {
if (\is_array($listener) && isset($listener[0]) && $listener[0] instanceof \Closure) {
$listener[0] = $listener[0]();
$this->listeners[$eventName][$priority][$k] = $listener;
}
$this->sorted[$eventName][] = $listener;
}
}
}
}
event-dispatcher/.gitignore 0000644 00000000042 14716422132 0011777 0 ustar 00 vendor/
composer.lock
phpunit.xml
event-dispatcher/ImmutableEventDispatcher.php 0000644 00000004176 14716422132 0015464 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\EventDispatcher;
/**
* A read-only proxy for an event dispatcher.
*
* @author Bernhard Schussek
*/
class ImmutableEventDispatcher implements EventDispatcherInterface
{
private $dispatcher;
public function __construct(EventDispatcherInterface $dispatcher)
{
$this->dispatcher = $dispatcher;
}
/**
* {@inheritdoc}
*/
public function dispatch($eventName, Event $event = null)
{
return $this->dispatcher->dispatch($eventName, $event);
}
/**
* {@inheritdoc}
*/
public function addListener($eventName, $listener, $priority = 0)
{
throw new \BadMethodCallException('Unmodifiable event dispatchers must not be modified.');
}
/**
* {@inheritdoc}
*/
public function addSubscriber(EventSubscriberInterface $subscriber)
{
throw new \BadMethodCallException('Unmodifiable event dispatchers must not be modified.');
}
/**
* {@inheritdoc}
*/
public function removeListener($eventName, $listener)
{
throw new \BadMethodCallException('Unmodifiable event dispatchers must not be modified.');
}
/**
* {@inheritdoc}
*/
public function removeSubscriber(EventSubscriberInterface $subscriber)
{
throw new \BadMethodCallException('Unmodifiable event dispatchers must not be modified.');
}
/**
* {@inheritdoc}
*/
public function getListeners($eventName = null)
{
return $this->dispatcher->getListeners($eventName);
}
/**
* {@inheritdoc}
*/
public function getListenerPriority($eventName, $listener)
{
return $this->dispatcher->getListenerPriority($eventName, $listener);
}
/**
* {@inheritdoc}
*/
public function hasListeners($eventName = null)
{
return $this->dispatcher->hasListeners($eventName);
}
}
event-dispatcher/EventSubscriberInterface.php 0000644 00000002754 14716422132 0015462 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\EventDispatcher;
/**
* An EventSubscriber knows itself what events it is interested in.
* If an EventSubscriber is added to an EventDispatcherInterface, the manager invokes
* {@link getSubscribedEvents} and registers the subscriber as a listener for all
* returned events.
*
* @author Guilherme Blanco
* @author Jonathan Wage
* @author Roman Borschel
* @author Bernhard Schussek
*/
interface EventSubscriberInterface
{
/**
* Returns an array of event names this subscriber wants to listen to.
*
* The array keys are event names and the value can be:
*
* * The method name to call (priority defaults to 0)
* * An array composed of the method name to call and the priority
* * An array of arrays composed of the method names to call and respective
* priorities, or 0 if unset
*
* For instance:
*
* * ['eventName' => 'methodName']
* * ['eventName' => ['methodName', $priority]]
* * ['eventName' => [['methodName1', $priority], ['methodName2']]]
*
* @return array The event names to listen to
*/
public static function getSubscribedEvents();
}
polyfill-intl-idn/Idn.php 0000644 00000021056 14716422132 0011343 0 ustar 00
* @author Sebastian Kroczek
* @author Dmitry Lukashin
* @author Laurent Bassin
*
* @internal
*/
final class Idn
{
const INTL_IDNA_VARIANT_2003 = 0;
const INTL_IDNA_VARIANT_UTS46 = 1;
private static $encodeTable = array(
'a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l',
'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x',
'y', 'z', '0', '1', '2', '3', '4', '5', '6', '7', '8', '9',
);
private static $decodeTable = array(
'a' => 0, 'b' => 1, 'c' => 2, 'd' => 3, 'e' => 4, 'f' => 5,
'g' => 6, 'h' => 7, 'i' => 8, 'j' => 9, 'k' => 10, 'l' => 11,
'm' => 12, 'n' => 13, 'o' => 14, 'p' => 15, 'q' => 16, 'r' => 17,
's' => 18, 't' => 19, 'u' => 20, 'v' => 21, 'w' => 22, 'x' => 23,
'y' => 24, 'z' => 25, '0' => 26, '1' => 27, '2' => 28, '3' => 29,
'4' => 30, '5' => 31, '6' => 32, '7' => 33, '8' => 34, '9' => 35,
);
public static function idn_to_ascii($domain, $options, $variant, &$idna_info = array())
{
if (\PHP_VERSION_ID >= 70200 && self::INTL_IDNA_VARIANT_2003 === $variant) {
@trigger_error('idn_to_ascii(): INTL_IDNA_VARIANT_2003 is deprecated', E_USER_DEPRECATED);
}
if (self::INTL_IDNA_VARIANT_UTS46 === $variant) {
$domain = mb_strtolower($domain, 'utf-8');
}
$parts = explode('.', $domain);
foreach ($parts as $i => &$part) {
if ('' === $part && \count($parts) > 1 + $i) {
return false;
}
if (false === $part = self::encodePart($part)) {
return false;
}
}
$output = implode('.', $parts);
$idna_info = array(
'result' => \strlen($output) > 255 ? false : $output,
'isTransitionalDifferent' => false,
'errors' => 0,
);
return $idna_info['result'];
}
public static function idn_to_utf8($domain, $options, $variant, &$idna_info = array())
{
if (\PHP_VERSION_ID >= 70200 && self::INTL_IDNA_VARIANT_2003 === $variant) {
@trigger_error('idn_to_utf8(): INTL_IDNA_VARIANT_2003 is deprecated', E_USER_DEPRECATED);
}
$parts = explode('.', $domain);
foreach ($parts as &$part) {
$length = \strlen($part);
if ($length < 1 || 63 < $length) {
continue;
}
if (0 !== strpos($part, 'xn--')) {
continue;
}
$part = substr($part, 4);
$part = self::decodePart($part);
}
$output = implode('.', $parts);
$idna_info = array(
'result' => \strlen($output) > 255 ? false : $output,
'isTransitionalDifferent' => false,
'errors' => 0,
);
return $idna_info['result'];
}
private static function encodePart($input)
{
if (\substr($input, 0, 1) === '-' || \substr($input, -1) === '-') {
return false;
}
$codePoints = self::listCodePoints($input);
$n = 128;
$bias = 72;
$delta = 0;
$h = $b = \count($codePoints['basic']);
$output = '';
foreach ($codePoints['basic'] as $code) {
$output .= mb_chr($code, 'utf-8');
}
if ($input === $output) {
return $output;
}
if ($b > 0) {
$output .= '-';
}
$codePoints['nonBasic'] = array_unique($codePoints['nonBasic']);
sort($codePoints['nonBasic']);
$i = 0;
$length = mb_strlen($input, 'utf-8');
while ($h < $length) {
$m = $codePoints['nonBasic'][$i++];
$delta += ($m - $n) * ($h + 1);
$n = $m;
foreach ($codePoints['all'] as $c) {
if ($c < $n || $c < 128) {
++$delta;
}
if ($c === $n) {
$q = $delta;
for ($k = 36;; $k += 36) {
$t = self::calculateThreshold($k, $bias);
if ($q < $t) {
break;
}
$code = $t + (($q - $t) % (36 - $t));
$output .= self::$encodeTable[$code];
$q = ($q - $t) / (36 - $t);
}
$output .= self::$encodeTable[$q];
$bias = self::adapt($delta, $h + 1, ($h === $b));
$delta = 0;
++$h;
}
}
++$delta;
++$n;
}
$output = 'xn--'.$output;
return \strlen($output) < 1 || 63 < \strlen($output) ? false : strtolower($output);
}
private static function listCodePoints($input)
{
$codePoints = array(
'all' => array(),
'basic' => array(),
'nonBasic' => array(),
);
$length = mb_strlen($input, 'utf-8');
for ($i = 0; $i < $length; ++$i) {
$char = mb_substr($input, $i, 1, 'utf-8');
$code = mb_ord($char, 'utf-8');
if ($code < 128) {
$codePoints['all'][] = $codePoints['basic'][] = $code;
} else {
$codePoints['all'][] = $codePoints['nonBasic'][] = $code;
}
}
return $codePoints;
}
private static function calculateThreshold($k, $bias)
{
if ($k <= $bias + 1) {
return 1;
}
if ($k >= $bias + 26) {
return 26;
}
return $k - $bias;
}
private static function adapt($delta, $numPoints, $firstTime)
{
$delta = (int) ($firstTime ? $delta / 700 : $delta / 2);
$delta += (int) ($delta / $numPoints);
$k = 0;
while ($delta > 35 * 13) {
$delta = (int) ($delta / 35);
$k = $k + 36;
}
return $k + (int) (36 * $delta / ($delta + 38));
}
private static function decodePart($input)
{
$n = 128;
$i = 0;
$bias = 72;
$output = '';
$pos = strrpos($input, '-');
if (false !== $pos) {
$output = substr($input, 0, $pos++);
} else {
$pos = 0;
}
$outputLength = \strlen($output);
$inputLength = \strlen($input);
while ($pos < $inputLength) {
$oldi = $i;
$w = 1;
for ($k = 36;; $k += 36) {
$digit = self::$decodeTable[$input[$pos++]];
$i += $digit * $w;
$t = self::calculateThreshold($k, $bias);
if ($digit < $t) {
break;
}
$w *= 36 - $t;
}
$bias = self::adapt($i - $oldi, ++$outputLength, 0 === $oldi);
$n = $n + (int) ($i / $outputLength);
$i = $i % $outputLength;
$output = mb_substr($output, 0, $i, 'utf-8').mb_chr($n, 'utf-8').mb_substr($output, $i, $outputLength - 1, 'utf-8');
++$i;
}
return $output;
}
}
polyfill-intl-idn/composer.json 0000644 00000001745 14716422132 0012645 0 ustar 00 {
"name": "symfony/polyfill-intl-idn",
"type": "library",
"description": "Symfony polyfill for intl's idn_to_ascii and idn_to_utf8 functions",
"keywords": ["polyfill", "shim", "compatibility", "portable", "intl", "idn"],
"homepage": "https://symfony.com",
"license": "MIT",
"authors": [
{
"name": "Laurent Bassin",
"email": "laurent@bassin.info"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"require": {
"php": ">=5.3.3",
"symfony/polyfill-mbstring": "^1.3",
"symfony/polyfill-php72": "^1.10"
},
"autoload": {
"psr-4": { "Symfony\\Polyfill\\Intl\\Idn\\": "" },
"files": [ "bootstrap.php" ]
},
"suggest": {
"ext-intl": "For best performance"
},
"minimum-stability": "dev",
"extra": {
"branch-alias": {
"dev-master": "1.17-dev"
}
}
}
polyfill-intl-idn/LICENSE 0000644 00000002051 14716422132 0011117 0 ustar 00 Copyright (c) 2018-2019 Fabien Potencier
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is furnished
to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
polyfill-intl-idn/bootstrap.php 0000644 00000011002 14716422132 0012634 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
use Symfony\Polyfill\Intl\Idn as p;
if (extension_loaded('intl')) {
return;
}
if (!defined('U_IDNA_PROHIBITED_ERROR')) {
define('U_IDNA_PROHIBITED_ERROR', 66560);
}
if (!defined('U_IDNA_ERROR_START')) {
define('U_IDNA_ERROR_START', 66560);
}
if (!defined('U_IDNA_UNASSIGNED_ERROR')) {
define('U_IDNA_UNASSIGNED_ERROR', 66561);
}
if (!defined('U_IDNA_CHECK_BIDI_ERROR')) {
define('U_IDNA_CHECK_BIDI_ERROR', 66562);
}
if (!defined('U_IDNA_STD3_ASCII_RULES_ERROR')) {
define('U_IDNA_STD3_ASCII_RULES_ERROR', 66563);
}
if (!defined('U_IDNA_ACE_PREFIX_ERROR')) {
define('U_IDNA_ACE_PREFIX_ERROR', 66564);
}
if (!defined('U_IDNA_VERIFICATION_ERROR')) {
define('U_IDNA_VERIFICATION_ERROR', 66565);
}
if (!defined('U_IDNA_LABEL_TOO_LONG_ERROR')) {
define('U_IDNA_LABEL_TOO_LONG_ERROR', 66566);
}
if (!defined('U_IDNA_ZERO_LENGTH_LABEL_ERROR')) {
define('U_IDNA_ZERO_LENGTH_LABEL_ERROR', 66567);
}
if (!defined('U_IDNA_DOMAIN_NAME_TOO_LONG_ERROR')) {
define('U_IDNA_DOMAIN_NAME_TOO_LONG_ERROR', 66568);
}
if (!defined('U_IDNA_ERROR_LIMIT')) {
define('U_IDNA_ERROR_LIMIT', 66569);
}
if (!defined('U_STRINGPREP_PROHIBITED_ERROR')) {
define('U_STRINGPREP_PROHIBITED_ERROR', 66560);
}
if (!defined('U_STRINGPREP_UNASSIGNED_ERROR')) {
define('U_STRINGPREP_UNASSIGNED_ERROR', 66561);
}
if (!defined('U_STRINGPREP_CHECK_BIDI_ERROR')) {
define('U_STRINGPREP_CHECK_BIDI_ERROR', 66562);
}
if (!defined('IDNA_DEFAULT')) {
define('IDNA_DEFAULT', 0);
}
if (!defined('IDNA_ALLOW_UNASSIGNED')) {
define('IDNA_ALLOW_UNASSIGNED', 1);
}
if (!defined('IDNA_USE_STD3_RULES')) {
define('IDNA_USE_STD3_RULES', 2);
}
if (!defined('IDNA_CHECK_BIDI')) {
define('IDNA_CHECK_BIDI', 4);
}
if (!defined('IDNA_CHECK_CONTEXTJ')) {
define('IDNA_CHECK_CONTEXTJ', 8);
}
if (!defined('IDNA_NONTRANSITIONAL_TO_ASCII')) {
define('IDNA_NONTRANSITIONAL_TO_ASCII', 16);
}
if (!defined('IDNA_NONTRANSITIONAL_TO_UNICODE')) {
define('IDNA_NONTRANSITIONAL_TO_UNICODE', 32);
}
if (!defined('INTL_IDNA_VARIANT_2003')) {
define('INTL_IDNA_VARIANT_2003', 0);
}
if (!defined('INTL_IDNA_VARIANT_UTS46')) {
define('INTL_IDNA_VARIANT_UTS46', 1);
}
if (!defined('IDNA_ERROR_EMPTY_LABEL')) {
define('IDNA_ERROR_EMPTY_LABEL', 1);
}
if (!defined('IDNA_ERROR_LABEL_TOO_LONG')) {
define('IDNA_ERROR_LABEL_TOO_LONG', 2);
}
if (!defined('IDNA_ERROR_DOMAIN_NAME_TOO_LONG')) {
define('IDNA_ERROR_DOMAIN_NAME_TOO_LONG', 4);
}
if (!defined('IDNA_ERROR_LEADING_HYPHEN')) {
define('IDNA_ERROR_LEADING_HYPHEN', 8);
}
if (!defined('IDNA_ERROR_TRAILING_HYPHEN')) {
define('IDNA_ERROR_TRAILING_HYPHEN', 16);
}
if (!defined('IDNA_ERROR_HYPHEN_3_4')) {
define('IDNA_ERROR_HYPHEN_3_4', 32);
}
if (!defined('IDNA_ERROR_LEADING_COMBINING_MARK')) {
define('IDNA_ERROR_LEADING_COMBINING_MARK', 64);
}
if (!defined('IDNA_ERROR_DISALLOWED')) {
define('IDNA_ERROR_DISALLOWED', 128);
}
if (!defined('IDNA_ERROR_PUNYCODE')) {
define('IDNA_ERROR_PUNYCODE', 256);
}
if (!defined('IDNA_ERROR_LABEL_HAS_DOT')) {
define('IDNA_ERROR_LABEL_HAS_DOT', 512);
}
if (!defined('IDNA_ERROR_INVALID_ACE_LABEL')) {
define('IDNA_ERROR_INVALID_ACE_LABEL', 1024);
}
if (!defined('IDNA_ERROR_BIDI')) {
define('IDNA_ERROR_BIDI', 2048);
}
if (!defined('IDNA_ERROR_CONTEXTJ')) {
define('IDNA_ERROR_CONTEXTJ', 4096);
}
if (PHP_VERSION_ID < 70400) {
if (!function_exists('idn_to_ascii')) {
function idn_to_ascii($domain, $options = IDNA_DEFAULT, $variant = INTL_IDNA_VARIANT_2003, &$idna_info = array()) { return p\Idn::idn_to_ascii($domain, $options, $variant, $idna_info); }
}
if (!function_exists('idn_to_utf8')) {
function idn_to_utf8($domain, $options = IDNA_DEFAULT, $variant = INTL_IDNA_VARIANT_2003, &$idna_info = array()) { return p\Idn::idn_to_utf8($domain, $options, $variant, $idna_info); }
}
} else {
if (!function_exists('idn_to_ascii')) {
function idn_to_ascii($domain, $options = IDNA_DEFAULT, $variant = INTL_IDNA_VARIANT_UTS46, &$idna_info = array()) { return p\Idn::idn_to_ascii($domain, $options, $variant, $idna_info); }
}
if (!function_exists('idn_to_utf8')) {
function idn_to_utf8($domain, $options = IDNA_DEFAULT, $variant = INTL_IDNA_VARIANT_UTS46, &$idna_info = array()) { return p\Idn::idn_to_utf8($domain, $options, $variant, $idna_info); }
}
}
debug/composer.json 0000644 00000001707 14716422132 0010363 0 ustar 00 {
"name": "symfony/debug",
"type": "library",
"description": "Symfony Debug Component",
"keywords": [],
"homepage": "https://symfony.com",
"license": "MIT",
"authors": [
{
"name": "Fabien Potencier",
"email": "fabien@symfony.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"require": {
"php": "^5.5.9|>=7.0.8",
"psr/log": "~1.0"
},
"conflict": {
"symfony/http-kernel": ">=2.3,<2.3.24|~2.4.0|>=2.5,<2.5.9|>=2.6,<2.6.2"
},
"require-dev": {
"symfony/http-kernel": "~2.8|~3.0|~4.0"
},
"autoload": {
"psr-4": { "Symfony\\Component\\Debug\\": "" },
"exclude-from-classmap": [
"/Tests/"
]
},
"minimum-stability": "dev",
"extra": {
"branch-alias": {
"dev-master": "3.4-dev"
}
}
}
debug/LICENSE 0000644 00000002051 14716422132 0006637 0 ustar 00 Copyright (c) 2004-2020 Fabien Potencier
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is furnished
to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
debug/Tests/DebugClassLoaderTest.php 0000644 00000044666 14716422132 0013472 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Debug\DebugClassLoader;
use Symfony\Component\Debug\ErrorHandler;
class DebugClassLoaderTest extends TestCase
{
/**
* @var int Error reporting level before running tests
*/
private $errorReporting;
private $loader;
protected function setUp()
{
$this->errorReporting = error_reporting(E_ALL);
$this->loader = new ClassLoader();
spl_autoload_register([$this->loader, 'loadClass'], true, true);
DebugClassLoader::enable();
}
protected function tearDown()
{
DebugClassLoader::disable();
spl_autoload_unregister([$this->loader, 'loadClass']);
error_reporting($this->errorReporting);
}
public function testIdempotence()
{
DebugClassLoader::enable();
$functions = spl_autoload_functions();
foreach ($functions as $function) {
if (\is_array($function) && $function[0] instanceof DebugClassLoader) {
$reflClass = new \ReflectionClass($function[0]);
$reflProp = $reflClass->getProperty('classLoader');
$reflProp->setAccessible(true);
$this->assertNotInstanceOf('Symfony\Component\Debug\DebugClassLoader', $reflProp->getValue($function[0]));
return;
}
}
$this->fail('DebugClassLoader did not register');
}
public function testThrowingClass()
{
$this->expectException('Exception');
$this->expectExceptionMessage('boo');
try {
class_exists(Fixtures\Throwing::class);
$this->fail('Exception expected');
} catch (\Exception $e) {
$this->assertSame('boo', $e->getMessage());
}
// the second call also should throw
class_exists(Fixtures\Throwing::class);
}
public function testUnsilencing()
{
if (\PHP_VERSION_ID >= 70000) {
$this->markTestSkipped('PHP7 throws exceptions, unsilencing is not required anymore.');
}
if (\defined('HHVM_VERSION')) {
$this->markTestSkipped('HHVM is not handled in this test case.');
}
ob_start();
$this->iniSet('log_errors', 0);
$this->iniSet('display_errors', 1);
// See below: this will fail with parse error
// but this should not be @-silenced.
@class_exists(TestingUnsilencing::class, true);
$output = ob_get_clean();
$this->assertStringMatchesFormat('%aParse error%a', $output);
}
public function testStacking()
{
// the ContextErrorException must not be loaded to test the workaround
// for https://bugs.php.net/65322.
if (class_exists('Symfony\Component\Debug\Exception\ContextErrorException', false)) {
$this->markTestSkipped('The ContextErrorException class is already loaded.');
}
if (\defined('HHVM_VERSION')) {
$this->markTestSkipped('HHVM is not handled in this test case.');
}
ErrorHandler::register();
try {
// Trigger autoloading + E_STRICT at compile time
// which in turn triggers $errorHandler->handle()
// that again triggers autoloading for ContextErrorException.
// Error stacking works around the bug above and everything is fine.
eval('
namespace '.__NAMESPACE__.';
class ChildTestingStacking extends TestingStacking { function foo($bar) {} }
');
$this->fail('ContextErrorException expected');
} catch (\ErrorException $exception) {
// if an exception is thrown, the test passed
$this->assertStringStartsWith(__FILE__, $exception->getFile());
if (\PHP_VERSION_ID < 70000) {
$this->assertRegExp('/^Runtime Notice: Declaration/', $exception->getMessage());
$this->assertEquals(E_STRICT, $exception->getSeverity());
} else {
$this->assertRegExp('/^Warning: Declaration/', $exception->getMessage());
$this->assertEquals(E_WARNING, $exception->getSeverity());
}
} finally {
restore_error_handler();
restore_exception_handler();
}
}
public function testNameCaseMismatch()
{
$this->expectException('RuntimeException');
$this->expectExceptionMessage('Case mismatch between loaded and declared class names');
class_exists(TestingCaseMismatch::class, true);
}
public function testFileCaseMismatch()
{
$this->expectException('RuntimeException');
$this->expectExceptionMessage('Case mismatch between class and real file names');
if (!file_exists(__DIR__.'/Fixtures/CaseMismatch.php')) {
$this->markTestSkipped('Can only be run on case insensitive filesystems');
}
class_exists(Fixtures\CaseMismatch::class, true);
}
public function testPsr4CaseMismatch()
{
$this->expectException('RuntimeException');
$this->expectExceptionMessage('Case mismatch between loaded and declared class names');
class_exists(__NAMESPACE__.'\Fixtures\Psr4CaseMismatch', true);
}
public function testNotPsr0()
{
$this->assertTrue(class_exists(__NAMESPACE__.'\Fixtures\NotPSR0', true));
}
public function testNotPsr0Bis()
{
$this->assertTrue(class_exists(__NAMESPACE__.'\Fixtures\NotPSR0bis', true));
}
public function testClassAlias()
{
$this->assertTrue(class_exists(Fixtures\ClassAlias::class, true));
}
/**
* @dataProvider provideDeprecatedSuper
*/
public function testDeprecatedSuper($class, $super, $type)
{
set_error_handler(function () { return false; });
$e = error_reporting(0);
@trigger_error('', E_USER_DEPRECATED);
class_exists('Test\\'.__NAMESPACE__.'\\'.$class, true);
error_reporting($e);
restore_error_handler();
$lastError = error_get_last();
unset($lastError['file'], $lastError['line']);
$xError = [
'type' => E_USER_DEPRECATED,
'message' => 'The "Test\Symfony\Component\Debug\Tests\\'.$class.'" class '.$type.' "Symfony\Component\Debug\Tests\Fixtures\\'.$super.'" that is deprecated but this is a test deprecation notice.',
];
$this->assertSame($xError, $lastError);
}
public function provideDeprecatedSuper()
{
return [
['DeprecatedInterfaceClass', 'DeprecatedInterface', 'implements'],
['DeprecatedParentClass', 'DeprecatedClass', 'extends'],
];
}
public function testInterfaceExtendsDeprecatedInterface()
{
set_error_handler(function () { return false; });
$e = error_reporting(0);
trigger_error('', E_USER_NOTICE);
class_exists('Test\\'.NonDeprecatedInterfaceClass::class, true);
error_reporting($e);
restore_error_handler();
$lastError = error_get_last();
unset($lastError['file'], $lastError['line']);
$xError = [
'type' => E_USER_NOTICE,
'message' => '',
];
$this->assertSame($xError, $lastError);
}
public function testDeprecatedSuperInSameNamespace()
{
set_error_handler(function () { return false; });
$e = error_reporting(0);
trigger_error('', E_USER_NOTICE);
class_exists('Symfony\Bridge\Debug\Tests\Fixtures\ExtendsDeprecatedParent', true);
error_reporting($e);
restore_error_handler();
$lastError = error_get_last();
unset($lastError['file'], $lastError['line']);
$xError = [
'type' => E_USER_NOTICE,
'message' => '',
];
$this->assertSame($xError, $lastError);
}
public function testReservedForPhp7()
{
if (\PHP_VERSION_ID >= 70000) {
$this->markTestSkipped('PHP7 already prevents using reserved names.');
}
set_error_handler(function () { return false; });
$e = error_reporting(0);
trigger_error('', E_USER_NOTICE);
class_exists('Test\\'.Float::class, true);
error_reporting($e);
restore_error_handler();
$lastError = error_get_last();
unset($lastError['file'], $lastError['line']);
$xError = [
'type' => E_USER_DEPRECATED,
'message' => 'The "Test\Symfony\Component\Debug\Tests\Float" class uses the reserved name "Float", it will break on PHP 7 and higher',
];
$this->assertSame($xError, $lastError);
}
public function testExtendedFinalClass()
{
$deprecations = [];
set_error_handler(function ($type, $msg) use (&$deprecations) { $deprecations[] = $msg; });
$e = error_reporting(E_USER_DEPRECATED);
require __DIR__.'/Fixtures/FinalClasses.php';
$i = 1;
while (class_exists($finalClass = Fixtures\FinalClass::class.$i++, false)) {
spl_autoload_call($finalClass);
class_exists('Test\\'.__NAMESPACE__.'\\Extends'.substr($finalClass, strrpos($finalClass, '\\') + 1), true);
}
error_reporting($e);
restore_error_handler();
$this->assertSame([
'The "Symfony\Component\Debug\Tests\Fixtures\FinalClass1" class is considered final since version 3.3. It may change without further notice as of its next major version. You should not extend it from "Test\Symfony\Component\Debug\Tests\ExtendsFinalClass1".',
'The "Symfony\Component\Debug\Tests\Fixtures\FinalClass2" class is considered final. It may change without further notice as of its next major version. You should not extend it from "Test\Symfony\Component\Debug\Tests\ExtendsFinalClass2".',
'The "Symfony\Component\Debug\Tests\Fixtures\FinalClass3" class is considered final comment with @@@ and ***. It may change without further notice as of its next major version. You should not extend it from "Test\Symfony\Component\Debug\Tests\ExtendsFinalClass3".',
'The "Symfony\Component\Debug\Tests\Fixtures\FinalClass4" class is considered final. It may change without further notice as of its next major version. You should not extend it from "Test\Symfony\Component\Debug\Tests\ExtendsFinalClass4".',
'The "Symfony\Component\Debug\Tests\Fixtures\FinalClass5" class is considered final multiline comment. It may change without further notice as of its next major version. You should not extend it from "Test\Symfony\Component\Debug\Tests\ExtendsFinalClass5".',
'The "Symfony\Component\Debug\Tests\Fixtures\FinalClass6" class is considered final. It may change without further notice as of its next major version. You should not extend it from "Test\Symfony\Component\Debug\Tests\ExtendsFinalClass6".',
'The "Symfony\Component\Debug\Tests\Fixtures\FinalClass7" class is considered final another multiline comment... It may change without further notice as of its next major version. You should not extend it from "Test\Symfony\Component\Debug\Tests\ExtendsFinalClass7".',
'The "Symfony\Component\Debug\Tests\Fixtures\FinalClass8" class is considered final. It may change without further notice as of its next major version. You should not extend it from "Test\Symfony\Component\Debug\Tests\ExtendsFinalClass8".',
], $deprecations);
}
public function testExtendedFinalMethod()
{
$deprecations = [];
set_error_handler(function ($type, $msg) use (&$deprecations) { $deprecations[] = $msg; });
$e = error_reporting(E_USER_DEPRECATED);
class_exists(Fixtures\ExtendedFinalMethod::class, true);
error_reporting($e);
restore_error_handler();
$xError = [
'The "Symfony\Component\Debug\Tests\Fixtures\FinalMethod::finalMethod()" method is considered final since version 3.3. It may change without further notice as of its next major version. You should not extend it from "Symfony\Component\Debug\Tests\Fixtures\ExtendedFinalMethod".',
'The "Symfony\Component\Debug\Tests\Fixtures\FinalMethod::finalMethod2()" method is considered final. It may change without further notice as of its next major version. You should not extend it from "Symfony\Component\Debug\Tests\Fixtures\ExtendedFinalMethod".',
];
$this->assertSame($xError, $deprecations);
}
public function testExtendedDeprecatedMethodDoesntTriggerAnyNotice()
{
set_error_handler(function () { return false; });
$e = error_reporting(0);
trigger_error('', E_USER_NOTICE);
class_exists('Test\\'.ExtendsAnnotatedClass::class, true);
error_reporting($e);
restore_error_handler();
$lastError = error_get_last();
unset($lastError['file'], $lastError['line']);
$this->assertSame(['type' => E_USER_NOTICE, 'message' => ''], $lastError);
}
public function testInternalsUse()
{
$deprecations = [];
set_error_handler(function ($type, $msg) use (&$deprecations) { $deprecations[] = $msg; });
$e = error_reporting(E_USER_DEPRECATED);
class_exists('Test\\'.ExtendsInternals::class, true);
error_reporting($e);
restore_error_handler();
$this->assertSame($deprecations, [
'The "Symfony\Component\Debug\Tests\Fixtures\InternalInterface" interface is considered internal. It may change without further notice. You should not use it from "Test\Symfony\Component\Debug\Tests\ExtendsInternalsParent".',
'The "Symfony\Component\Debug\Tests\Fixtures\InternalClass" class is considered internal since version 3.4. It may change without further notice. You should not use it from "Test\Symfony\Component\Debug\Tests\ExtendsInternalsParent".',
'The "Symfony\Component\Debug\Tests\Fixtures\InternalTrait" trait is considered internal. It may change without further notice. You should not use it from "Test\Symfony\Component\Debug\Tests\ExtendsInternals".',
'The "Symfony\Component\Debug\Tests\Fixtures\InternalClass::internalMethod()" method is considered internal since version 3.4. It may change without further notice. You should not extend it from "Test\Symfony\Component\Debug\Tests\ExtendsInternals".',
]);
}
public function testUseTraitWithInternalMethod()
{
$deprecations = [];
set_error_handler(function ($type, $msg) use (&$deprecations) { $deprecations[] = $msg; });
$e = error_reporting(E_USER_DEPRECATED);
class_exists('Test\\'.UseTraitWithInternalMethod::class, true);
error_reporting($e);
restore_error_handler();
$this->assertSame([], $deprecations);
}
public function testEvaluatedCode()
{
$this->assertTrue(class_exists(Fixtures\DefinitionInEvaluatedCode::class, true));
}
}
class ClassLoader
{
public function loadClass($class)
{
}
public function getClassMap()
{
return [__NAMESPACE__.'\Fixtures\NotPSR0bis' => __DIR__.'/Fixtures/notPsr0Bis.php'];
}
public function findFile($class)
{
$fixtureDir = __DIR__.\DIRECTORY_SEPARATOR.'Fixtures'.\DIRECTORY_SEPARATOR;
if (TestingUnsilencing::class === $class) {
eval('-- parse error --');
} elseif (TestingStacking::class === $class) {
eval('namespace '.__NAMESPACE__.'; class TestingStacking { function foo() {} }');
} elseif (TestingCaseMismatch::class === $class) {
eval('namespace '.__NAMESPACE__.'; class TestingCaseMisMatch {}');
} elseif (__NAMESPACE__.'\Fixtures\Psr4CaseMismatch' === $class) {
return $fixtureDir.'psr4'.\DIRECTORY_SEPARATOR.'Psr4CaseMismatch.php';
} elseif (__NAMESPACE__.'\Fixtures\NotPSR0' === $class) {
return $fixtureDir.'reallyNotPsr0.php';
} elseif (__NAMESPACE__.'\Fixtures\NotPSR0bis' === $class) {
return $fixtureDir.'notPsr0Bis.php';
} elseif ('Symfony\Bridge\Debug\Tests\Fixtures\ExtendsDeprecatedParent' === $class) {
eval('namespace Symfony\Bridge\Debug\Tests\Fixtures; class ExtendsDeprecatedParent extends \\'.__NAMESPACE__.'\Fixtures\DeprecatedClass {}');
} elseif ('Test\\'.DeprecatedParentClass::class === $class) {
eval('namespace Test\\'.__NAMESPACE__.'; class DeprecatedParentClass extends \\'.__NAMESPACE__.'\Fixtures\DeprecatedClass {}');
} elseif ('Test\\'.DeprecatedInterfaceClass::class === $class) {
eval('namespace Test\\'.__NAMESPACE__.'; class DeprecatedInterfaceClass implements \\'.__NAMESPACE__.'\Fixtures\DeprecatedInterface {}');
} elseif ('Test\\'.NonDeprecatedInterfaceClass::class === $class) {
eval('namespace Test\\'.__NAMESPACE__.'; class NonDeprecatedInterfaceClass implements \\'.__NAMESPACE__.'\Fixtures\NonDeprecatedInterface {}');
} elseif ('Test\\'.Float::class === $class) {
eval('namespace Test\\'.__NAMESPACE__.'; class Float {}');
} elseif (0 === strpos($class, 'Test\\'.ExtendsFinalClass::class)) {
$classShortName = substr($class, strrpos($class, '\\') + 1);
eval('namespace Test\\'.__NAMESPACE__.'; class '.$classShortName.' extends \\'.__NAMESPACE__.'\Fixtures\\'.substr($classShortName, 7).' {}');
} elseif ('Test\\'.ExtendsAnnotatedClass::class === $class) {
eval('namespace Test\\'.__NAMESPACE__.'; class ExtendsAnnotatedClass extends \\'.__NAMESPACE__.'\Fixtures\AnnotatedClass {
public function deprecatedMethod() { }
}');
} elseif ('Test\\'.ExtendsInternals::class === $class) {
eval('namespace Test\\'.__NAMESPACE__.'; class ExtendsInternals extends ExtendsInternalsParent {
use \\'.__NAMESPACE__.'\Fixtures\InternalTrait;
public function internalMethod() { }
}');
} elseif ('Test\\'.ExtendsInternalsParent::class === $class) {
eval('namespace Test\\'.__NAMESPACE__.'; class ExtendsInternalsParent extends \\'.__NAMESPACE__.'\Fixtures\InternalClass implements \\'.__NAMESPACE__.'\Fixtures\InternalInterface { }');
} elseif ('Test\\'.UseTraitWithInternalMethod::class === $class) {
eval('namespace Test\\'.__NAMESPACE__.'; class UseTraitWithInternalMethod { use \\'.__NAMESPACE__.'\Fixtures\TraitWithInternalMethod; }');
}
return null;
}
}
debug/Tests/Fixtures/ExtendedFinalMethod.php 0000644 00000000414 14716422132 0015132 0 ustar 00 exception = $e;
}
public function __toString()
{
try {
throw $this->exception;
} catch (\Exception $e) {
// Using user_error() here is on purpose so we do not forget
// that this alias also should work alongside with trigger_error().
return trigger_error($e, E_USER_ERROR);
}
}
}
debug/Tests/Fixtures/InternalTrait.php 0000644 00000000147 14716422132 0014042 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Tests;
use PHPUnit\Framework\TestCase;
use Psr\Log\LogLevel;
use Psr\Log\NullLogger;
use Symfony\Component\Debug\BufferingLogger;
use Symfony\Component\Debug\ErrorHandler;
use Symfony\Component\Debug\Exception\SilencedErrorContext;
use Symfony\Component\Debug\Tests\Fixtures\ErrorHandlerThatUsesThePreviousOne;
use Symfony\Component\Debug\Tests\Fixtures\LoggerThatSetAnErrorHandler;
/**
* ErrorHandlerTest.
*
* @author Robert Schönthal
* @author Nicolas Grekas
*/
class ErrorHandlerTest extends TestCase
{
public function testRegister()
{
$handler = ErrorHandler::register();
try {
$this->assertInstanceOf('Symfony\Component\Debug\ErrorHandler', $handler);
$this->assertSame($handler, ErrorHandler::register());
$newHandler = new ErrorHandler();
$this->assertSame($handler, ErrorHandler::register($newHandler, false));
$h = set_error_handler('var_dump');
restore_error_handler();
$this->assertSame([$handler, 'handleError'], $h);
try {
$this->assertSame($newHandler, ErrorHandler::register($newHandler, true));
$h = set_error_handler('var_dump');
restore_error_handler();
$this->assertSame([$newHandler, 'handleError'], $h);
} catch (\Exception $e) {
}
restore_error_handler();
restore_exception_handler();
if (isset($e)) {
throw $e;
}
} catch (\Exception $e) {
}
restore_error_handler();
restore_exception_handler();
if (isset($e)) {
throw $e;
}
}
public function testErrorGetLast()
{
$logger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$handler = ErrorHandler::register();
$handler->setDefaultLogger($logger);
$handler->screamAt(E_ALL);
try {
@trigger_error('Hello', E_USER_WARNING);
$expected = [
'type' => E_USER_WARNING,
'message' => 'Hello',
'file' => __FILE__,
'line' => __LINE__ - 5,
];
$this->assertSame($expected, error_get_last());
} catch (\Exception $e) {
restore_error_handler();
restore_exception_handler();
throw $e;
}
}
public function testNotice()
{
ErrorHandler::register();
try {
self::triggerNotice($this);
$this->fail('ErrorException expected');
} catch (\ErrorException $exception) {
// if an exception is thrown, the test passed
$this->assertEquals(E_NOTICE, $exception->getSeverity());
$this->assertEquals(__FILE__, $exception->getFile());
$this->assertRegExp('/^Notice: Undefined variable: (foo|bar)/', $exception->getMessage());
$trace = $exception->getTrace();
$this->assertEquals(__FILE__, $trace[0]['file']);
$this->assertEquals(__CLASS__, $trace[0]['class']);
$this->assertEquals('triggerNotice', $trace[0]['function']);
$this->assertEquals('::', $trace[0]['type']);
$this->assertEquals(__FILE__, $trace[0]['file']);
$this->assertEquals(__CLASS__, $trace[1]['class']);
$this->assertEquals(__FUNCTION__, $trace[1]['function']);
$this->assertEquals('->', $trace[1]['type']);
} finally {
restore_error_handler();
restore_exception_handler();
}
}
// dummy function to test trace in error handler.
private static function triggerNotice($that)
{
$that->assertSame('', $foo.$foo.$bar);
}
public function testConstruct()
{
try {
$handler = ErrorHandler::register();
$handler->throwAt(3, true);
$this->assertEquals(3 | E_RECOVERABLE_ERROR | E_USER_ERROR, $handler->throwAt(0));
} finally {
restore_error_handler();
restore_exception_handler();
}
}
public function testDefaultLogger()
{
try {
$logger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$handler = ErrorHandler::register();
$handler->setDefaultLogger($logger, E_NOTICE);
$handler->setDefaultLogger($logger, [E_USER_NOTICE => LogLevel::CRITICAL]);
$loggers = [
E_DEPRECATED => [null, LogLevel::INFO],
E_USER_DEPRECATED => [null, LogLevel::INFO],
E_NOTICE => [$logger, LogLevel::WARNING],
E_USER_NOTICE => [$logger, LogLevel::CRITICAL],
E_STRICT => [null, LogLevel::WARNING],
E_WARNING => [null, LogLevel::WARNING],
E_USER_WARNING => [null, LogLevel::WARNING],
E_COMPILE_WARNING => [null, LogLevel::WARNING],
E_CORE_WARNING => [null, LogLevel::WARNING],
E_USER_ERROR => [null, LogLevel::CRITICAL],
E_RECOVERABLE_ERROR => [null, LogLevel::CRITICAL],
E_COMPILE_ERROR => [null, LogLevel::CRITICAL],
E_PARSE => [null, LogLevel::CRITICAL],
E_ERROR => [null, LogLevel::CRITICAL],
E_CORE_ERROR => [null, LogLevel::CRITICAL],
];
$this->assertSame($loggers, $handler->setLoggers([]));
} finally {
restore_error_handler();
restore_exception_handler();
}
}
public function testHandleError()
{
try {
$handler = ErrorHandler::register();
$handler->throwAt(0, true);
$this->assertFalse($handler->handleError(0, 'foo', 'foo.php', 12, []));
restore_error_handler();
restore_exception_handler();
$handler = ErrorHandler::register();
$handler->throwAt(3, true);
$this->assertFalse($handler->handleError(4, 'foo', 'foo.php', 12, []));
restore_error_handler();
restore_exception_handler();
$handler = ErrorHandler::register();
$handler->throwAt(3, true);
try {
$handler->handleError(4, 'foo', 'foo.php', 12, []);
} catch (\ErrorException $e) {
$this->assertSame('Parse Error: foo', $e->getMessage());
$this->assertSame(4, $e->getSeverity());
$this->assertSame('foo.php', $e->getFile());
$this->assertSame(12, $e->getLine());
}
restore_error_handler();
restore_exception_handler();
$handler = ErrorHandler::register();
$handler->throwAt(E_USER_DEPRECATED, true);
$this->assertFalse($handler->handleError(E_USER_DEPRECATED, 'foo', 'foo.php', 12, []));
restore_error_handler();
restore_exception_handler();
$handler = ErrorHandler::register();
$handler->throwAt(E_DEPRECATED, true);
$this->assertFalse($handler->handleError(E_DEPRECATED, 'foo', 'foo.php', 12, []));
restore_error_handler();
restore_exception_handler();
$logger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$warnArgCheck = function ($logLevel, $message, $context) {
$this->assertEquals('info', $logLevel);
$this->assertEquals('User Deprecated: foo', $message);
$this->assertArrayHasKey('exception', $context);
$exception = $context['exception'];
$this->assertInstanceOf(\ErrorException::class, $exception);
$this->assertSame('User Deprecated: foo', $exception->getMessage());
$this->assertSame(E_USER_DEPRECATED, $exception->getSeverity());
};
$logger
->expects($this->once())
->method('log')
->willReturnCallback($warnArgCheck)
;
$handler = ErrorHandler::register();
$handler->setDefaultLogger($logger, E_USER_DEPRECATED);
$this->assertTrue($handler->handleError(E_USER_DEPRECATED, 'foo', 'foo.php', 12, []));
restore_error_handler();
restore_exception_handler();
$logger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$line = null;
$logArgCheck = function ($level, $message, $context) use (&$line) {
$this->assertEquals('Notice: Undefined variable: undefVar', $message);
$this->assertArrayHasKey('exception', $context);
$exception = $context['exception'];
$this->assertInstanceOf(SilencedErrorContext::class, $exception);
$this->assertSame(E_NOTICE, $exception->getSeverity());
$this->assertSame(__FILE__, $exception->getFile());
$this->assertSame($line, $exception->getLine());
$this->assertNotEmpty($exception->getTrace());
$this->assertSame(1, $exception->count);
};
$logger
->expects($this->once())
->method('log')
->willReturnCallback($logArgCheck)
;
$handler = ErrorHandler::register();
$handler->setDefaultLogger($logger, E_NOTICE);
$handler->screamAt(E_NOTICE);
unset($undefVar);
$line = __LINE__ + 1;
@$undefVar++;
restore_error_handler();
restore_exception_handler();
} catch (\Exception $e) {
restore_error_handler();
restore_exception_handler();
throw $e;
}
}
public function testHandleUserError()
{
if (\PHP_VERSION_ID >= 70400) {
$this->markTestSkipped('PHP 7.4 allows __toString to throw exceptions');
}
try {
$handler = ErrorHandler::register();
$handler->throwAt(0, true);
$e = null;
$x = new \Exception('Foo');
try {
$f = new Fixtures\ToStringThrower($x);
$f .= ''; // Trigger $f->__toString()
} catch (\Exception $e) {
}
$this->assertSame($x, $e);
} finally {
restore_error_handler();
restore_exception_handler();
}
}
public function testHandleDeprecation()
{
$logArgCheck = function ($level, $message, $context) {
$this->assertEquals(LogLevel::INFO, $level);
$this->assertArrayHasKey('exception', $context);
$exception = $context['exception'];
$this->assertInstanceOf(\ErrorException::class, $exception);
$this->assertSame('User Deprecated: Foo deprecation', $exception->getMessage());
};
$logger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$logger
->expects($this->once())
->method('log')
->willReturnCallback($logArgCheck)
;
$handler = new ErrorHandler();
$handler->setDefaultLogger($logger);
@$handler->handleError(E_USER_DEPRECATED, 'Foo deprecation', __FILE__, __LINE__, []);
}
/**
* @group no-hhvm
*/
public function testHandleException()
{
try {
$logger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$handler = ErrorHandler::register();
$exception = new \Exception('foo');
$logArgCheck = function ($level, $message, $context) {
$this->assertSame('Uncaught Exception: foo', $message);
$this->assertArrayHasKey('exception', $context);
$this->assertInstanceOf(\Exception::class, $context['exception']);
};
$logger
->expects($this->exactly(2))
->method('log')
->willReturnCallback($logArgCheck)
;
$handler->setDefaultLogger($logger, E_ERROR);
try {
$handler->handleException($exception);
$this->fail('Exception expected');
} catch (\Exception $e) {
$this->assertSame($exception, $e);
}
$handler->setExceptionHandler(function ($e) use ($exception) {
$this->assertSame($exception, $e);
});
$handler->handleException($exception);
} finally {
restore_error_handler();
restore_exception_handler();
}
}
/**
* @group legacy
*/
public function testErrorStacking()
{
try {
$handler = ErrorHandler::register();
$handler->screamAt(E_USER_WARNING);
$logger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$logger
->expects($this->exactly(2))
->method('log')
->withConsecutive(
[$this->equalTo(LogLevel::WARNING), $this->equalTo('Dummy log')],
[$this->equalTo(LogLevel::DEBUG), $this->equalTo('User Warning: Silenced warning')]
)
;
$handler->setDefaultLogger($logger, [E_USER_WARNING => LogLevel::WARNING]);
ErrorHandler::stackErrors();
@trigger_error('Silenced warning', E_USER_WARNING);
$logger->log(LogLevel::WARNING, 'Dummy log');
ErrorHandler::unstackErrors();
} finally {
restore_error_handler();
restore_exception_handler();
}
}
public function testBootstrappingLogger()
{
$bootLogger = new BufferingLogger();
$handler = new ErrorHandler($bootLogger);
$loggers = [
E_DEPRECATED => [$bootLogger, LogLevel::INFO],
E_USER_DEPRECATED => [$bootLogger, LogLevel::INFO],
E_NOTICE => [$bootLogger, LogLevel::WARNING],
E_USER_NOTICE => [$bootLogger, LogLevel::WARNING],
E_STRICT => [$bootLogger, LogLevel::WARNING],
E_WARNING => [$bootLogger, LogLevel::WARNING],
E_USER_WARNING => [$bootLogger, LogLevel::WARNING],
E_COMPILE_WARNING => [$bootLogger, LogLevel::WARNING],
E_CORE_WARNING => [$bootLogger, LogLevel::WARNING],
E_USER_ERROR => [$bootLogger, LogLevel::CRITICAL],
E_RECOVERABLE_ERROR => [$bootLogger, LogLevel::CRITICAL],
E_COMPILE_ERROR => [$bootLogger, LogLevel::CRITICAL],
E_PARSE => [$bootLogger, LogLevel::CRITICAL],
E_ERROR => [$bootLogger, LogLevel::CRITICAL],
E_CORE_ERROR => [$bootLogger, LogLevel::CRITICAL],
];
$this->assertSame($loggers, $handler->setLoggers([]));
$handler->handleError(E_DEPRECATED, 'Foo message', __FILE__, 123, []);
$logs = $bootLogger->cleanLogs();
$this->assertCount(1, $logs);
$log = $logs[0];
$this->assertSame('info', $log[0]);
$this->assertSame('Deprecated: Foo message', $log[1]);
$this->assertArrayHasKey('exception', $log[2]);
$exception = $log[2]['exception'];
$this->assertInstanceOf(\ErrorException::class, $exception);
$this->assertSame('Deprecated: Foo message', $exception->getMessage());
$this->assertSame(__FILE__, $exception->getFile());
$this->assertSame(123, $exception->getLine());
$this->assertSame(E_DEPRECATED, $exception->getSeverity());
$bootLogger->log(LogLevel::WARNING, 'Foo message', ['exception' => $exception]);
$mockLogger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$mockLogger->expects($this->once())
->method('log')
->with(LogLevel::WARNING, 'Foo message', ['exception' => $exception]);
$handler->setLoggers([E_DEPRECATED => [$mockLogger, LogLevel::WARNING]]);
}
/**
* @group no-hhvm
*/
public function testSettingLoggerWhenExceptionIsBuffered()
{
$bootLogger = new BufferingLogger();
$handler = new ErrorHandler($bootLogger);
$exception = new \Exception('Foo message');
$mockLogger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$mockLogger->expects($this->once())
->method('log')
->with(LogLevel::CRITICAL, 'Uncaught Exception: Foo message', ['exception' => $exception]);
$handler->setExceptionHandler(function () use ($handler, $mockLogger) {
$handler->setDefaultLogger($mockLogger);
});
$handler->handleException($exception);
}
/**
* @group no-hhvm
*/
public function testHandleFatalError()
{
try {
$logger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$handler = ErrorHandler::register();
$error = [
'type' => E_PARSE,
'message' => 'foo',
'file' => 'bar',
'line' => 123,
];
$logArgCheck = function ($level, $message, $context) {
$this->assertEquals('Fatal Parse Error: foo', $message);
$this->assertArrayHasKey('exception', $context);
$this->assertInstanceOf(\Exception::class, $context['exception']);
};
$logger
->expects($this->once())
->method('log')
->willReturnCallback($logArgCheck)
;
$handler->setDefaultLogger($logger, E_PARSE);
$handler->handleFatalError($error);
restore_error_handler();
restore_exception_handler();
} catch (\Exception $e) {
restore_error_handler();
restore_exception_handler();
throw $e;
}
}
/**
* @requires PHP 7
*/
public function testHandleErrorException()
{
$exception = new \Error("Class 'IReallyReallyDoNotExistAnywhereInTheRepositoryISwear' not found");
$handler = new ErrorHandler();
$handler->setExceptionHandler(function () use (&$args) {
$args = \func_get_args();
});
$handler->handleException($exception);
$this->assertInstanceOf('Symfony\Component\Debug\Exception\ClassNotFoundException', $args[0]);
$this->assertStringStartsWith("Attempted to load class \"IReallyReallyDoNotExistAnywhereInTheRepositoryISwear\" from the global namespace.\nDid you forget a \"use\" statement", $args[0]->getMessage());
}
/**
* @group no-hhvm
*/
public function testHandleFatalErrorOnHHVM()
{
try {
$handler = ErrorHandler::register();
$logger = $this->getMockBuilder('Psr\Log\LoggerInterface')->getMock();
$logger
->expects($this->once())
->method('log')
->with(
$this->equalTo(LogLevel::CRITICAL),
$this->equalTo('Fatal Error: foo')
)
;
$handler->setDefaultLogger($logger, E_ERROR);
$error = [
'type' => E_ERROR + 0x1000000, // This error level is used by HHVM for fatal errors
'message' => 'foo',
'file' => 'bar',
'line' => 123,
'context' => [123],
'backtrace' => [456],
];
\call_user_func_array([$handler, 'handleError'], $error);
$handler->handleFatalError($error);
} finally {
restore_error_handler();
restore_exception_handler();
}
}
/**
* @group no-hhvm
*/
public function testCustomExceptionHandler()
{
$this->expectException('Exception');
$handler = new ErrorHandler();
$handler->setExceptionHandler(function ($e) use ($handler) {
$handler->handleException($e);
});
$handler->handleException(new \Exception());
}
/**
* @dataProvider errorHandlerWhenLoggingProvider
*/
public function testErrorHandlerWhenLogging($previousHandlerWasDefined, $loggerSetsAnotherHandler, $nextHandlerIsDefined)
{
try {
if ($previousHandlerWasDefined) {
set_error_handler('count');
}
$logger = $loggerSetsAnotherHandler ? new LoggerThatSetAnErrorHandler() : new NullLogger();
$handler = ErrorHandler::register();
$handler->setDefaultLogger($logger);
if ($nextHandlerIsDefined) {
$handler = ErrorHandlerThatUsesThePreviousOne::register();
}
@trigger_error('foo', E_USER_DEPRECATED);
@trigger_error('bar', E_USER_DEPRECATED);
$this->assertSame([$handler, 'handleError'], set_error_handler('var_dump'));
if ($logger instanceof LoggerThatSetAnErrorHandler) {
$this->assertCount(2, $logger->cleanLogs());
}
restore_error_handler();
if ($previousHandlerWasDefined) {
restore_error_handler();
}
if ($nextHandlerIsDefined) {
restore_error_handler();
}
} finally {
restore_error_handler();
restore_exception_handler();
}
}
public function errorHandlerWhenLoggingProvider()
{
foreach ([false, true] as $previousHandlerWasDefined) {
foreach ([false, true] as $loggerSetsAnotherHandler) {
foreach ([false, true] as $nextHandlerIsDefined) {
yield [$previousHandlerWasDefined, $loggerSetsAnotherHandler, $nextHandlerIsDefined];
}
}
}
}
}
debug/Tests/HeaderMock.php 0000644 00000001231 14716422132 0011446 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug;
function headers_sent()
{
return false;
}
function header($str, $replace = true, $status = null)
{
Tests\testHeader($str, $replace, $status);
}
namespace Symfony\Component\Debug\Tests;
function testHeader()
{
static $headers = [];
if (!$h = \func_get_args()) {
$h = $headers;
$headers = [];
return $h;
}
$headers[] = \func_get_args();
}
debug/Tests/error_log; 0000644 00000117442 14716422132 0010757 0 ustar 00 [15-Sep-2023 22:58:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[17-Sep-2023 03:20:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[23-Sep-2023 08:44:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[29-Sep-2023 12:43:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[29-Sep-2023 12:43:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[29-Sep-2023 12:43:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[29-Sep-2023 16:05:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[29-Sep-2023 16:05:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[29-Sep-2023 16:05:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[30-Sep-2023 17:58:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[30-Sep-2023 17:58:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[30-Sep-2023 17:58:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[30-Sep-2023 19:25:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[30-Sep-2023 19:26:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[30-Sep-2023 19:26:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[17-Nov-2023 07:10:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[21-Nov-2023 22:19:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[21-Nov-2023 22:19:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[21-Nov-2023 22:19:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[22-Nov-2023 04:36:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[22-Nov-2023 04:36:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[22-Nov-2023 04:36:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[22-Nov-2023 23:39:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[22-Nov-2023 23:40:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[22-Nov-2023 23:40:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[23-Nov-2023 09:00:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[23-Nov-2023 09:00:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[23-Nov-2023 09:00:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[26-Nov-2023 12:55:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[27-Nov-2023 19:42:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[28-Nov-2023 12:09:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[29-Nov-2023 13:28:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[02-Dec-2023 12:45:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[04-Jan-2024 17:05:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[06-Jan-2024 00:37:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[14-Jan-2024 19:48:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[20-Jan-2024 04:18:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[19-Feb-2024 10:33:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[19-Feb-2024 13:19:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[19-Feb-2024 22:14:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[23-Feb-2024 11:55:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[05-Mar-2024 17:16:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[11-Mar-2024 07:08:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[15-Mar-2024 04:28:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[15-Mar-2024 04:48:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[15-Mar-2024 05:46:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[18-Mar-2024 02:51:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[19-Mar-2024 13:58:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[11-Apr-2024 06:53:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[11-Apr-2024 06:53:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[11-Apr-2024 06:57:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[23-Apr-2024 22:43:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[24-Apr-2024 01:49:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[24-Apr-2024 08:55:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[25-Apr-2024 09:26:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[04-May-2024 22:13:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[04-May-2024 22:13:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[04-May-2024 22:13:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[04-May-2024 22:30:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[05-May-2024 02:55:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[05-May-2024 05:13:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[05-May-2024 08:10:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[05-May-2024 08:10:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[05-May-2024 08:10:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[05-May-2024 18:25:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[05-May-2024 18:25:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[05-May-2024 18:25:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[07-May-2024 06:57:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[11-May-2024 01:36:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[14-May-2024 12:41:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[14-May-2024 12:41:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[20-May-2024 07:57:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[20-May-2024 10:12:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[20-May-2024 13:08:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[26-May-2024 01:07:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[26-May-2024 03:20:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[27-May-2024 09:37:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[28-May-2024 04:06:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[29-May-2024 05:29:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[29-May-2024 20:11:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[29-May-2024 23:12:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[01-Jun-2024 16:28:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[02-Jun-2024 21:22:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[14-Jun-2024 05:25:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[14-Jun-2024 15:50:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[14-Jun-2024 15:51:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[14-Jun-2024 15:51:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[14-Jun-2024 22:43:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[15-Jun-2024 03:52:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[15-Jun-2024 04:14:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[15-Jun-2024 04:47:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[18-Jun-2024 19:44:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[18-Jun-2024 19:44:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[18-Jun-2024 19:44:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[19-Jun-2024 04:45:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[19-Jun-2024 04:45:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[19-Jun-2024 04:45:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[19-Jun-2024 16:08:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[19-Jun-2024 16:08:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[19-Jun-2024 16:09:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[21-Jun-2024 06:59:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[21-Jun-2024 07:34:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[21-Jun-2024 07:39:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[27-Jun-2024 09:57:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[27-Jun-2024 10:07:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[29-Jun-2024 09:29:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[03-Jul-2024 16:45:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[03-Jul-2024 19:28:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[03-Jul-2024 22:02:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[07-Jul-2024 08:28:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[07-Jul-2024 17:00:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[09-Jul-2024 01:24:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[12-Jul-2024 23:59:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[15-Jul-2024 01:12:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[15-Jul-2024 08:01:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[17-Jul-2024 19:18:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[17-Jul-2024 19:24:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[17-Jul-2024 20:18:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[22-Jul-2024 10:23:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[22-Jul-2024 10:24:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[22-Jul-2024 16:47:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[22-Jul-2024 16:47:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[22-Jul-2024 16:47:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[23-Jul-2024 05:49:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[26-Jul-2024 23:23:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[27-Jul-2024 00:55:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[28-Jul-2024 08:35:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[28-Jul-2024 08:38:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[29-Jul-2024 10:47:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[30-Jul-2024 00:39:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[30-Jul-2024 04:28:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[02-Aug-2024 18:45:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[07-Aug-2024 09:14:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[09-Aug-2024 02:01:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[09-Aug-2024 10:12:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[09-Aug-2024 12:29:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[09-Aug-2024 19:44:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[12-Aug-2024 11:14:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[14-Aug-2024 15:59:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[16-Aug-2024 04:06:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[17-Aug-2024 02:48:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[17-Aug-2024 13:36:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[17-Aug-2024 13:40:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[18-Aug-2024 08:31:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[18-Aug-2024 12:00:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[19-Aug-2024 04:52:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[19-Aug-2024 13:00:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[20-Aug-2024 10:13:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[23-Aug-2024 03:31:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[23-Aug-2024 06:15:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[24-Aug-2024 11:44:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[24-Aug-2024 19:47:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[29-Aug-2024 07:48:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[30-Aug-2024 14:28:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[30-Aug-2024 14:28:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[30-Aug-2024 14:28:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[30-Aug-2024 14:28:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[30-Aug-2024 14:28:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[30-Aug-2024 14:28:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[01-Sep-2024 20:24:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[01-Sep-2024 20:24:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[01-Sep-2024 20:24:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[03-Sep-2024 05:35:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[09-Sep-2024 16:18:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[09-Sep-2024 23:05:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[11-Sep-2024 20:22:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[11-Sep-2024 20:22:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[11-Sep-2024 20:22:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[15-Sep-2024 14:37:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[15-Sep-2024 14:43:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[15-Sep-2024 19:34:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[16-Sep-2024 02:03:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[16-Sep-2024 09:21:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[16-Sep-2024 12:21:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[23-Sep-2024 07:11:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[24-Sep-2024 04:27:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[24-Sep-2024 21:49:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[25-Sep-2024 13:50:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[25-Sep-2024 17:12:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[28-Sep-2024 20:59:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[17-Oct-2024 17:04:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[17-Oct-2024 20:24:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[18-Oct-2024 08:10:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[19-Oct-2024 02:02:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[19-Oct-2024 17:22:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[22-Oct-2024 16:59:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[23-Oct-2024 16:34:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[28-Oct-2024 22:30:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[29-Oct-2024 01:32:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[29-Oct-2024 01:32:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[29-Oct-2024 01:32:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[29-Oct-2024 03:33:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[30-Oct-2024 09:35:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[06-Nov-2024 12:13:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[06-Nov-2024 12:13:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[06-Nov-2024 12:13:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
[11-Nov-2024 10:24:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ErrorHandlerTest.php on line 29
[11-Nov-2024 10:24:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/ExceptionHandlerTest.php on line 22
[11-Nov-2024 10:24:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/DebugClassLoaderTest.php on line 18
debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php 0000644 00000005564 14716422132 0022202 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Tests\FatalErrorHandler;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Debug\Exception\FatalErrorException;
use Symfony\Component\Debug\FatalErrorHandler\UndefinedMethodFatalErrorHandler;
class UndefinedMethodFatalErrorHandlerTest extends TestCase
{
/**
* @dataProvider provideUndefinedMethodData
*/
public function testUndefinedMethod($error, $translatedMessage)
{
$handler = new UndefinedMethodFatalErrorHandler();
$exception = $handler->handleError($error, new FatalErrorException('', 0, $error['type'], $error['file'], $error['line']));
$this->assertInstanceOf('Symfony\Component\Debug\Exception\UndefinedMethodException', $exception);
$this->assertSame($translatedMessage, $exception->getMessage());
$this->assertSame($error['type'], $exception->getSeverity());
$this->assertSame($error['file'], $exception->getFile());
$this->assertSame($error['line'], $exception->getLine());
}
public function provideUndefinedMethodData()
{
return [
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Call to undefined method SplObjectStorage::what()',
],
'Attempted to call an undefined method named "what" of class "SplObjectStorage".',
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Call to undefined method SplObjectStorage::walid()',
],
"Attempted to call an undefined method named \"walid\" of class \"SplObjectStorage\".\nDid you mean to call \"valid\"?",
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Call to undefined method SplObjectStorage::offsetFet()',
],
"Attempted to call an undefined method named \"offsetFet\" of class \"SplObjectStorage\".\nDid you mean to call e.g. \"offsetGet\", \"offsetSet\" or \"offsetUnset\"?",
],
[
[
'type' => 1,
'message' => 'Call to undefined method class@anonymous::test()',
'file' => '/home/possum/work/symfony/test.php',
'line' => 11,
],
'Attempted to call an undefined method named "test" of class "class@anonymous".',
],
];
}
}
debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php 0000644 00000017077 14716422132 0021664 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Tests\FatalErrorHandler;
use Composer\Autoload\ClassLoader as ComposerClassLoader;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Debug\DebugClassLoader;
use Symfony\Component\Debug\Exception\FatalErrorException;
use Symfony\Component\Debug\FatalErrorHandler\ClassNotFoundFatalErrorHandler;
class ClassNotFoundFatalErrorHandlerTest extends TestCase
{
public static function setUpBeforeClass()
{
foreach (spl_autoload_functions() as $function) {
if (!\is_array($function)) {
continue;
}
// get class loaders wrapped by DebugClassLoader
if ($function[0] instanceof DebugClassLoader) {
$function = $function[0]->getClassLoader();
if (!\is_array($function)) {
continue;
}
}
if ($function[0] instanceof ComposerClassLoader) {
$function[0]->add('Symfony_Component_Debug_Tests_Fixtures', \dirname(\dirname(\dirname(\dirname(\dirname(__DIR__))))));
break;
}
}
}
/**
* @dataProvider provideClassNotFoundData
*/
public function testHandleClassNotFound($error, $translatedMessage, $autoloader = null)
{
if ($autoloader) {
// Unregister all autoloaders to ensure the custom provided
// autoloader is the only one to be used during the test run.
$autoloaders = spl_autoload_functions();
array_map('spl_autoload_unregister', $autoloaders);
spl_autoload_register($autoloader);
}
$handler = new ClassNotFoundFatalErrorHandler();
$exception = $handler->handleError($error, new FatalErrorException('', 0, $error['type'], $error['file'], $error['line']));
if ($autoloader) {
spl_autoload_unregister($autoloader);
array_map('spl_autoload_register', $autoloaders);
}
$this->assertInstanceOf('Symfony\Component\Debug\Exception\ClassNotFoundException', $exception);
$this->assertRegExp($translatedMessage, $exception->getMessage());
$this->assertSame($error['type'], $exception->getSeverity());
$this->assertSame($error['file'], $exception->getFile());
$this->assertSame($error['line'], $exception->getLine());
}
public function provideClassNotFoundData()
{
$autoloader = new ComposerClassLoader();
$autoloader->add('Symfony\Component\Debug\Exception\\', realpath(__DIR__.'/../../Exception'));
$autoloader->add('Symfony_Component_Debug_Tests_Fixtures', realpath(__DIR__.'/../../Tests/Fixtures'));
$debugClassLoader = new DebugClassLoader([$autoloader, 'loadClass']);
return [
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Class \'WhizBangFactory\' not found',
],
"/^Attempted to load class \"WhizBangFactory\" from the global namespace.\nDid you forget a \"use\" statement\?$/",
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Class \'Foo\\Bar\\WhizBangFactory\' not found',
],
"/^Attempted to load class \"WhizBangFactory\" from namespace \"Foo\\\\Bar\".\nDid you forget a \"use\" statement for another namespace\?$/",
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Class \'UndefinedFunctionException\' not found',
],
"/^Attempted to load class \"UndefinedFunctionException\" from the global namespace.\nDid you forget a \"use\" statement for .*\"Symfony\\\\Component\\\\Debug\\\\Exception\\\\UndefinedFunctionException\"\?$/",
[$debugClassLoader, 'loadClass'],
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Class \'PEARClass\' not found',
],
"/^Attempted to load class \"PEARClass\" from the global namespace.\nDid you forget a \"use\" statement for \"Symfony_Component_Debug_Tests_Fixtures_PEARClass\"\?$/",
[$debugClassLoader, 'loadClass'],
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Class \'Foo\\Bar\\UndefinedFunctionException\' not found',
],
"/^Attempted to load class \"UndefinedFunctionException\" from namespace \"Foo\\\\Bar\".\nDid you forget a \"use\" statement for .*\"Symfony\\\\Component\\\\Debug\\\\Exception\\\\UndefinedFunctionException\"\?$/",
[$debugClassLoader, 'loadClass'],
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Class \'Foo\\Bar\\UndefinedFunctionException\' not found',
],
"/^Attempted to load class \"UndefinedFunctionException\" from namespace \"Foo\\\\Bar\".\nDid you forget a \"use\" statement for \"Symfony\\\\Component\\\\Debug\\\\Exception\\\\UndefinedFunctionException\"\?$/",
[$autoloader, 'loadClass'],
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Class \'Foo\\Bar\\UndefinedFunctionException\' not found',
],
"/^Attempted to load class \"UndefinedFunctionException\" from namespace \"Foo\\\\Bar\".\nDid you forget a \"use\" statement for \"Symfony\\\\Component\\\\Debug\\\\Exception\\\\UndefinedFunctionException\"\?/",
[$debugClassLoader, 'loadClass'],
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Class \'Foo\\Bar\\UndefinedFunctionException\' not found',
],
"/^Attempted to load class \"UndefinedFunctionException\" from namespace \"Foo\\\\Bar\".\nDid you forget a \"use\" statement for another namespace\?$/",
function ($className) { /* do nothing here */ },
],
];
}
public function testCannotRedeclareClass()
{
if (!file_exists(__DIR__.'/../FIXTURES2/REQUIREDTWICE.PHP')) {
$this->markTestSkipped('Can only be run on case insensitive filesystems');
}
require_once __DIR__.'/../FIXTURES2/REQUIREDTWICE.PHP';
$error = [
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Class \'Foo\\Bar\\RequiredTwice\' not found',
];
$handler = new ClassNotFoundFatalErrorHandler();
$exception = $handler->handleError($error, new FatalErrorException('', 0, $error['type'], $error['file'], $error['line']));
$this->assertInstanceOf('Symfony\Component\Debug\Exception\ClassNotFoundException', $exception);
}
}
debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php 0000644 00000006073 14716422132 0022543 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Tests\FatalErrorHandler;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Debug\Exception\FatalErrorException;
use Symfony\Component\Debug\FatalErrorHandler\UndefinedFunctionFatalErrorHandler;
class UndefinedFunctionFatalErrorHandlerTest extends TestCase
{
/**
* @dataProvider provideUndefinedFunctionData
*/
public function testUndefinedFunction($error, $translatedMessage)
{
$handler = new UndefinedFunctionFatalErrorHandler();
$exception = $handler->handleError($error, new FatalErrorException('', 0, $error['type'], $error['file'], $error['line']));
$this->assertInstanceOf('Symfony\Component\Debug\Exception\UndefinedFunctionException', $exception);
// class names are case insensitive and PHP/HHVM do not return the same
$this->assertSame(strtolower($translatedMessage), strtolower($exception->getMessage()));
$this->assertSame($error['type'], $exception->getSeverity());
$this->assertSame($error['file'], $exception->getFile());
$this->assertSame($error['line'], $exception->getLine());
}
public function provideUndefinedFunctionData()
{
return [
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Call to undefined function test_namespaced_function()',
],
"Attempted to call function \"test_namespaced_function\" from the global namespace.\nDid you mean to call \"\\symfony\\component\\debug\\tests\\fatalerrorhandler\\test_namespaced_function\"?",
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Call to undefined function Foo\\Bar\\Baz\\test_namespaced_function()',
],
"Attempted to call function \"test_namespaced_function\" from namespace \"Foo\\Bar\\Baz\".\nDid you mean to call \"\\symfony\\component\\debug\\tests\\fatalerrorhandler\\test_namespaced_function\"?",
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Call to undefined function foo()',
],
'Attempted to call function "foo" from the global namespace.',
],
[
[
'type' => 1,
'line' => 12,
'file' => 'foo.php',
'message' => 'Call to undefined function Foo\\Bar\\Baz\\foo()',
],
'Attempted to call function "foo" from namespace "Foo\Bar\Baz".',
],
];
}
}
function test_namespaced_function()
{
}
debug/Tests/FatalErrorHandler/error_log; 0000644 00000113370 14716422132 0014312 0 ustar 00 [14-Sep-2023 07:50:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[01-Oct-2023 15:26:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[01-Oct-2023 15:26:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[01-Oct-2023 15:26:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[01-Oct-2023 18:18:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[01-Oct-2023 18:18:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[01-Oct-2023 18:18:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[04-Oct-2023 07:32:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[15-Nov-2023 07:46:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[16-Nov-2023 21:41:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[26-Nov-2023 01:28:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[26-Nov-2023 01:29:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[26-Nov-2023 01:29:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[26-Nov-2023 14:39:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[26-Nov-2023 14:40:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[26-Nov-2023 14:40:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[27-Nov-2023 06:21:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[27-Nov-2023 06:21:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[27-Nov-2023 06:21:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[28-Nov-2023 12:56:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[28-Nov-2023 12:56:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[28-Nov-2023 12:56:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[09-Dec-2023 00:38:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[18-Dec-2023 14:13:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[18-Dec-2023 14:13:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[31-Dec-2023 23:15:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[05-Jan-2024 07:47:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[06-Jan-2024 20:56:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[21-Feb-2024 22:50:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[21-Feb-2024 23:53:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[22-Feb-2024 09:13:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[24-Feb-2024 22:12:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[09-Mar-2024 15:49:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[10-Mar-2024 14:10:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[07-Apr-2024 02:28:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[07-Apr-2024 04:21:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[07-Apr-2024 04:27:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[28-Apr-2024 01:12:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[28-Apr-2024 19:42:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[29-Apr-2024 02:35:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[02-May-2024 00:56:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[05-May-2024 00:05:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[05-May-2024 00:05:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[05-May-2024 00:06:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[05-May-2024 10:01:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[05-May-2024 10:01:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[05-May-2024 10:02:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[05-May-2024 19:57:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[05-May-2024 19:57:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[05-May-2024 19:57:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[09-May-2024 03:58:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[12-May-2024 04:01:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[14-May-2024 15:27:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[14-May-2024 15:27:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[14-May-2024 15:28:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[19-May-2024 05:57:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[19-May-2024 06:02:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[20-May-2024 16:25:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[20-May-2024 16:25:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[04-Jun-2024 10:16:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[09-Jun-2024 09:43:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[09-Jun-2024 10:53:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[09-Jun-2024 13:36:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[09-Jun-2024 14:25:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[14-Jun-2024 15:53:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[14-Jun-2024 15:53:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[14-Jun-2024 15:53:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[16-Jun-2024 03:17:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[16-Jun-2024 03:37:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[16-Jun-2024 04:45:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[18-Jun-2024 20:17:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[18-Jun-2024 20:17:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[18-Jun-2024 20:18:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[19-Jun-2024 05:19:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[19-Jun-2024 05:19:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[19-Jun-2024 05:19:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[19-Jun-2024 16:42:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[19-Jun-2024 16:42:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[19-Jun-2024 16:42:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[20-Jun-2024 08:43:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[02-Jul-2024 08:35:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[02-Jul-2024 08:35:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[09-Jul-2024 21:24:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[14-Jul-2024 15:01:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[18-Jul-2024 07:56:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[19-Jul-2024 01:33:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[22-Jul-2024 18:34:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[22-Jul-2024 18:35:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[22-Jul-2024 18:35:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[24-Jul-2024 00:25:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[28-Jul-2024 18:11:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[01-Aug-2024 22:46:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[01-Aug-2024 22:49:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[01-Aug-2024 22:49:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[15-Aug-2024 18:49:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[16-Aug-2024 06:09:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[16-Aug-2024 08:29:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[17-Aug-2024 01:24:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[18-Aug-2024 14:43:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[18-Aug-2024 14:46:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[18-Aug-2024 14:46:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[19-Aug-2024 05:12:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[19-Aug-2024 06:35:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[20-Aug-2024 12:20:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[21-Aug-2024 22:52:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[24-Aug-2024 04:12:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[25-Aug-2024 01:44:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[25-Aug-2024 01:52:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[25-Aug-2024 07:34:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[25-Aug-2024 23:44:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[26-Aug-2024 00:37:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[27-Aug-2024 06:46:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[29-Aug-2024 10:31:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[30-Aug-2024 07:13:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[31-Aug-2024 08:20:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[01-Sep-2024 22:16:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[01-Sep-2024 22:16:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[01-Sep-2024 22:17:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[04-Sep-2024 07:23:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[04-Sep-2024 14:05:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[05-Sep-2024 00:44:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[10-Sep-2024 01:13:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[10-Sep-2024 01:13:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[11-Sep-2024 22:04:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[11-Sep-2024 22:04:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[11-Sep-2024 22:05:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[14-Sep-2024 02:06:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[15-Sep-2024 14:41:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[16-Sep-2024 01:18:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[16-Sep-2024 01:18:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[16-Sep-2024 01:18:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[16-Sep-2024 01:18:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[16-Sep-2024 01:19:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[16-Sep-2024 01:19:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[18-Sep-2024 11:29:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[19-Sep-2024 20:40:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[21-Sep-2024 16:48:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[24-Sep-2024 14:45:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[27-Sep-2024 03:14:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[29-Sep-2024 08:40:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[03-Oct-2024 12:12:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[03-Oct-2024 18:49:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[06-Oct-2024 21:15:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[06-Oct-2024 21:18:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[06-Oct-2024 21:18:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[08-Oct-2024 14:25:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[08-Oct-2024 23:12:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[13-Oct-2024 12:50:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[21-Oct-2024 19:13:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[25-Oct-2024 08:41:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[26-Oct-2024 20:20:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[29-Oct-2024 02:50:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[29-Oct-2024 02:50:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[29-Oct-2024 02:51:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[29-Oct-2024 10:17:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[05-Nov-2024 07:01:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[06-Nov-2024 13:41:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedMethodFatalErrorHandlerTest.php on line 18
[06-Nov-2024 13:41:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[06-Nov-2024 13:41:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
[11-Nov-2024 15:17:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/ClassNotFoundFatalErrorHandlerTest.php on line 20
[11-Nov-2024 22:16:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/FatalErrorHandler/UndefinedFunctionFatalErrorHandlerTest.php on line 18
debug/Tests/ExceptionHandlerTest.php 0000644 00000012273 14716422132 0013550 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Debug\Exception\OutOfMemoryException;
use Symfony\Component\Debug\ExceptionHandler;
use Symfony\Component\HttpKernel\Exception\MethodNotAllowedHttpException;
use Symfony\Component\HttpKernel\Exception\NotFoundHttpException;
require_once __DIR__.'/HeaderMock.php';
class ExceptionHandlerTest extends TestCase
{
protected function setUp()
{
testHeader();
}
protected function tearDown()
{
testHeader();
}
public function testDebug()
{
$handler = new ExceptionHandler(false);
ob_start();
$handler->sendPhpResponse(new \RuntimeException('Foo'));
$response = ob_get_clean();
$this->assertStringContainsString('Whoops, looks like something went wrong.', $response);
$this->assertStringNotContainsString('
', $response);
$handler = new ExceptionHandler(true);
ob_start();
$handler->sendPhpResponse(new \RuntimeException('Foo'));
$response = ob_get_clean();
$this->assertStringContainsString('Whoops, looks like something went wrong.', $response);
$this->assertStringContainsString('
', $response);
}
public function testStatusCode()
{
$handler = new ExceptionHandler(false, 'iso8859-1');
ob_start();
$handler->sendPhpResponse(new NotFoundHttpException('Foo'));
$response = ob_get_clean();
$this->assertStringContainsString('Sorry, the page you are looking for could not be found.', $response);
$expectedHeaders = [
['HTTP/1.0 404', true, null],
['Content-Type: text/html; charset=iso8859-1', true, null],
];
$this->assertSame($expectedHeaders, testHeader());
}
public function testHeaders()
{
$handler = new ExceptionHandler(false, 'iso8859-1');
ob_start();
$handler->sendPhpResponse(new MethodNotAllowedHttpException(['POST']));
ob_get_clean();
$expectedHeaders = [
['HTTP/1.0 405', true, null],
['Allow: POST', false, null],
['Content-Type: text/html; charset=iso8859-1', true, null],
];
$this->assertSame($expectedHeaders, testHeader());
}
public function testNestedExceptions()
{
$handler = new ExceptionHandler(true);
ob_start();
$handler->sendPhpResponse(new \RuntimeException('Foo', 0, new \RuntimeException('Bar')));
$response = ob_get_clean();
$this->assertStringMatchesFormat('%A
Foo
%A
Bar
%A', $response);
}
public function testHandle()
{
$handler = new ExceptionHandler(true);
ob_start();
$handler->handle(new \Exception('foo'));
$this->assertThatTheExceptionWasOutput(ob_get_clean(), \Exception::class, 'Exception', 'foo');
}
public function testHandleWithACustomHandlerThatOutputsSomething()
{
$handler = new ExceptionHandler(true);
ob_start();
$handler->setHandler(function () {
echo 'ccc';
});
$handler->handle(new \Exception());
ob_end_flush(); // Necessary because of this PHP bug : https://bugs.php.net/76563
$this->assertSame('ccc', ob_get_clean());
}
public function testHandleWithACustomHandlerThatOutputsNothing()
{
$handler = new ExceptionHandler(true);
$handler->setHandler(function () {});
$handler->handle(new \Exception('ccc'));
$this->assertThatTheExceptionWasOutput(ob_get_clean(), \Exception::class, 'Exception', 'ccc');
}
public function testHandleWithACustomHandlerThatFails()
{
$handler = new ExceptionHandler(true);
$handler->setHandler(function () {
throw new \RuntimeException();
});
$handler->handle(new \Exception('ccc'));
$this->assertThatTheExceptionWasOutput(ob_get_clean(), \Exception::class, 'Exception', 'ccc');
}
public function testHandleOutOfMemoryException()
{
$handler = new ExceptionHandler(true);
ob_start();
$handler->setHandler(function () {
$this->fail('OutOfMemoryException should bypass the handler');
});
$handler->handle(new OutOfMemoryException('foo', 0, E_ERROR, __FILE__, __LINE__));
$this->assertThatTheExceptionWasOutput(ob_get_clean(), OutOfMemoryException::class, 'OutOfMemoryException', 'foo');
}
private function assertThatTheExceptionWasOutput($content, $expectedClass, $expectedTitle, $expectedMessage)
{
$this->assertStringContainsString(sprintf('
%s', $expectedClass, $expectedTitle), $content);
$this->assertStringContainsString(sprintf('
%s
', $expectedMessage), $content);
}
}
debug/Tests/Exception/error_log; 0000644 00000022110 14716422132 0012700 0 ustar 00 [21-Sep-2023 10:57:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[01-Oct-2023 15:26:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[01-Oct-2023 18:19:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[25-Nov-2023 04:50:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[25-Nov-2023 10:50:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[27-Nov-2023 05:47:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[28-Nov-2023 12:49:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[29-Nov-2023 14:56:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[06-Jan-2024 00:00:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[24-Feb-2024 15:43:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[06-Mar-2024 21:22:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[30-Apr-2024 02:30:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[04-May-2024 23:36:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[05-May-2024 09:32:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[05-May-2024 19:30:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[08-May-2024 03:02:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[14-May-2024 15:00:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[16-May-2024 21:05:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[06-Jun-2024 04:17:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[14-Jun-2024 15:53:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[18-Jun-2024 16:22:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[18-Jun-2024 20:06:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[19-Jun-2024 05:08:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[19-Jun-2024 16:31:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[13-Jul-2024 16:23:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[20-Jul-2024 22:09:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[22-Jul-2024 18:07:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[24-Jul-2024 14:44:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[27-Jul-2024 10:54:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[12-Aug-2024 13:00:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[18-Aug-2024 01:21:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[19-Aug-2024 16:55:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[30-Aug-2024 17:18:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[01-Sep-2024 21:47:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[11-Sep-2024 15:08:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[11-Sep-2024 15:08:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[11-Sep-2024 21:39:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[26-Sep-2024 04:53:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[07-Oct-2024 18:46:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[24-Oct-2024 12:36:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[29-Oct-2024 02:28:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[29-Oct-2024 14:02:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
[06-Nov-2024 13:17:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Tests/Exception/FlattenExceptionTest.php on line 32
debug/Tests/Exception/FlattenExceptionTest.php 0000644 00000030123 14716422132 0015520 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Tests\Exception;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Debug\Exception\FlattenException;
use Symfony\Component\HttpFoundation\Exception\SuspiciousOperationException;
use Symfony\Component\HttpKernel\Exception\AccessDeniedHttpException;
use Symfony\Component\HttpKernel\Exception\BadRequestHttpException;
use Symfony\Component\HttpKernel\Exception\ConflictHttpException;
use Symfony\Component\HttpKernel\Exception\GoneHttpException;
use Symfony\Component\HttpKernel\Exception\LengthRequiredHttpException;
use Symfony\Component\HttpKernel\Exception\MethodNotAllowedHttpException;
use Symfony\Component\HttpKernel\Exception\NotAcceptableHttpException;
use Symfony\Component\HttpKernel\Exception\NotFoundHttpException;
use Symfony\Component\HttpKernel\Exception\PreconditionFailedHttpException;
use Symfony\Component\HttpKernel\Exception\PreconditionRequiredHttpException;
use Symfony\Component\HttpKernel\Exception\ServiceUnavailableHttpException;
use Symfony\Component\HttpKernel\Exception\TooManyRequestsHttpException;
use Symfony\Component\HttpKernel\Exception\UnauthorizedHttpException;
use Symfony\Component\HttpKernel\Exception\UnsupportedMediaTypeHttpException;
class FlattenExceptionTest extends TestCase
{
public function testStatusCode()
{
$flattened = FlattenException::create(new \RuntimeException(), 403);
$this->assertEquals('403', $flattened->getStatusCode());
$flattened = FlattenException::create(new \RuntimeException());
$this->assertEquals('500', $flattened->getStatusCode());
$flattened = FlattenException::create(new NotFoundHttpException());
$this->assertEquals('404', $flattened->getStatusCode());
$flattened = FlattenException::create(new UnauthorizedHttpException('Basic realm="My Realm"'));
$this->assertEquals('401', $flattened->getStatusCode());
$flattened = FlattenException::create(new BadRequestHttpException());
$this->assertEquals('400', $flattened->getStatusCode());
$flattened = FlattenException::create(new NotAcceptableHttpException());
$this->assertEquals('406', $flattened->getStatusCode());
$flattened = FlattenException::create(new ConflictHttpException());
$this->assertEquals('409', $flattened->getStatusCode());
$flattened = FlattenException::create(new MethodNotAllowedHttpException(['POST']));
$this->assertEquals('405', $flattened->getStatusCode());
$flattened = FlattenException::create(new AccessDeniedHttpException());
$this->assertEquals('403', $flattened->getStatusCode());
$flattened = FlattenException::create(new GoneHttpException());
$this->assertEquals('410', $flattened->getStatusCode());
$flattened = FlattenException::create(new LengthRequiredHttpException());
$this->assertEquals('411', $flattened->getStatusCode());
$flattened = FlattenException::create(new PreconditionFailedHttpException());
$this->assertEquals('412', $flattened->getStatusCode());
$flattened = FlattenException::create(new PreconditionRequiredHttpException());
$this->assertEquals('428', $flattened->getStatusCode());
$flattened = FlattenException::create(new ServiceUnavailableHttpException());
$this->assertEquals('503', $flattened->getStatusCode());
$flattened = FlattenException::create(new TooManyRequestsHttpException());
$this->assertEquals('429', $flattened->getStatusCode());
$flattened = FlattenException::create(new UnsupportedMediaTypeHttpException());
$this->assertEquals('415', $flattened->getStatusCode());
if (class_exists(SuspiciousOperationException::class)) {
$flattened = FlattenException::create(new SuspiciousOperationException());
$this->assertEquals('400', $flattened->getStatusCode());
}
}
public function testHeadersForHttpException()
{
$flattened = FlattenException::create(new MethodNotAllowedHttpException(['POST']));
$this->assertEquals(['Allow' => 'POST'], $flattened->getHeaders());
$flattened = FlattenException::create(new UnauthorizedHttpException('Basic realm="My Realm"'));
$this->assertEquals(['WWW-Authenticate' => 'Basic realm="My Realm"'], $flattened->getHeaders());
$flattened = FlattenException::create(new ServiceUnavailableHttpException('Fri, 31 Dec 1999 23:59:59 GMT'));
$this->assertEquals(['Retry-After' => 'Fri, 31 Dec 1999 23:59:59 GMT'], $flattened->getHeaders());
$flattened = FlattenException::create(new ServiceUnavailableHttpException(120));
$this->assertEquals(['Retry-After' => 120], $flattened->getHeaders());
$flattened = FlattenException::create(new TooManyRequestsHttpException('Fri, 31 Dec 1999 23:59:59 GMT'));
$this->assertEquals(['Retry-After' => 'Fri, 31 Dec 1999 23:59:59 GMT'], $flattened->getHeaders());
$flattened = FlattenException::create(new TooManyRequestsHttpException(120));
$this->assertEquals(['Retry-After' => 120], $flattened->getHeaders());
}
/**
* @dataProvider flattenDataProvider
*/
public function testFlattenHttpException(\Exception $exception)
{
$flattened = FlattenException::create($exception);
$flattened2 = FlattenException::create($exception);
$flattened->setPrevious($flattened2);
$this->assertEquals($exception->getMessage(), $flattened->getMessage(), 'The message is copied from the original exception.');
$this->assertEquals($exception->getCode(), $flattened->getCode(), 'The code is copied from the original exception.');
$this->assertInstanceOf($flattened->getClass(), $exception, 'The class is set to the class of the original exception');
}
/**
* @dataProvider flattenDataProvider
*/
public function testPrevious(\Exception $exception)
{
$flattened = FlattenException::create($exception);
$flattened2 = FlattenException::create($exception);
$flattened->setPrevious($flattened2);
$this->assertSame($flattened2, $flattened->getPrevious());
$this->assertSame([$flattened2], $flattened->getAllPrevious());
}
/**
* @requires PHP 7.0
*/
public function testPreviousError()
{
$exception = new \Exception('test', 123, new \ParseError('Oh noes!', 42));
$flattened = FlattenException::create($exception)->getPrevious();
$this->assertEquals($flattened->getMessage(), 'Parse error: Oh noes!', 'The message is copied from the original exception.');
$this->assertEquals($flattened->getCode(), 42, 'The code is copied from the original exception.');
$this->assertEquals($flattened->getClass(), 'Symfony\Component\Debug\Exception\FatalThrowableError', 'The class is set to the class of the original exception');
}
/**
* @dataProvider flattenDataProvider
*/
public function testLine(\Exception $exception)
{
$flattened = FlattenException::create($exception);
$this->assertSame($exception->getLine(), $flattened->getLine());
}
/**
* @dataProvider flattenDataProvider
*/
public function testFile(\Exception $exception)
{
$flattened = FlattenException::create($exception);
$this->assertSame($exception->getFile(), $flattened->getFile());
}
/**
* @dataProvider flattenDataProvider
*/
public function testToArray(\Exception $exception)
{
$flattened = FlattenException::create($exception);
$flattened->setTrace([], 'foo.php', 123);
$this->assertEquals([
[
'message' => 'test',
'class' => 'Exception',
'trace' => [[
'namespace' => '', 'short_class' => '', 'class' => '', 'type' => '', 'function' => '', 'file' => 'foo.php', 'line' => 123,
'args' => [],
]],
],
], $flattened->toArray());
}
public function flattenDataProvider()
{
return [
[new \Exception('test', 123)],
];
}
public function testArguments()
{
if (\PHP_VERSION_ID >= 70400) {
$this->markTestSkipped('PHP 7.4 removes arguments from exception traces.');
}
$dh = opendir(__DIR__);
$fh = tmpfile();
$incomplete = unserialize('O:14:"BogusTestClass":0:{}');
$exception = $this->createException([
(object) ['foo' => 1],
new NotFoundHttpException(),
$incomplete,
$dh,
$fh,
function () {},
[1, 2],
['foo' => 123],
null,
true,
false,
0,
0.0,
'0',
'',
INF,
NAN,
]);
$flattened = FlattenException::create($exception);
$trace = $flattened->getTrace();
$args = $trace[1]['args'];
$array = $args[0][1];
closedir($dh);
fclose($fh);
$i = 0;
$this->assertSame(['object', 'stdClass'], $array[$i++]);
$this->assertSame(['object', 'Symfony\Component\HttpKernel\Exception\NotFoundHttpException'], $array[$i++]);
$this->assertSame(['incomplete-object', 'BogusTestClass'], $array[$i++]);
$this->assertSame(['resource', \defined('HHVM_VERSION') ? 'Directory' : 'stream'], $array[$i++]);
$this->assertSame(['resource', 'stream'], $array[$i++]);
$args = $array[$i++];
$this->assertSame($args[0], 'object');
$this->assertTrue('Closure' === $args[1] || is_subclass_of($args[1], '\Closure'), 'Expect object class name to be Closure or a subclass of Closure.');
$this->assertSame(['array', [['integer', 1], ['integer', 2]]], $array[$i++]);
$this->assertSame(['array', ['foo' => ['integer', 123]]], $array[$i++]);
$this->assertSame(['null', null], $array[$i++]);
$this->assertSame(['boolean', true], $array[$i++]);
$this->assertSame(['boolean', false], $array[$i++]);
$this->assertSame(['integer', 0], $array[$i++]);
$this->assertSame(['float', 0.0], $array[$i++]);
$this->assertSame(['string', '0'], $array[$i++]);
$this->assertSame(['string', ''], $array[$i++]);
$this->assertSame(['float', INF], $array[$i++]);
// assertEquals() does not like NAN values.
$this->assertEquals($array[$i][0], 'float');
$this->assertNan($array[$i][1]);
}
public function testRecursionInArguments()
{
if (\PHP_VERSION_ID >= 70400) {
$this->markTestSkipped('PHP 7.4 removes arguments from exception traces.');
}
$a = null;
$a = ['foo', [2, &$a]];
$exception = $this->createException($a);
$flattened = FlattenException::create($exception);
$trace = $flattened->getTrace();
$this->assertStringContainsString('*DEEP NESTED ARRAY*', serialize($trace));
}
public function testTooBigArray()
{
if (\PHP_VERSION_ID >= 70400) {
$this->markTestSkipped('PHP 7.4 removes arguments from exception traces.');
}
$a = [];
for ($i = 0; $i < 20; ++$i) {
for ($j = 0; $j < 50; ++$j) {
for ($k = 0; $k < 10; ++$k) {
$a[$i][$j][$k] = 'value';
}
}
}
$a[20] = 'value';
$a[21] = 'value1';
$exception = $this->createException($a);
$flattened = FlattenException::create($exception);
$trace = $flattened->getTrace();
$this->assertSame($trace[1]['args'][0], ['array', ['array', '*SKIPPED over 10000 entries*']]);
$serializeTrace = serialize($trace);
$this->assertStringContainsString('*SKIPPED over 10000 entries*', $serializeTrace);
$this->assertStringNotContainsString('*value1*', $serializeTrace);
}
private function createException($foo)
{
return new \Exception();
}
}
debug/Tests/Fixtures2/RequiredTwice.php 0000644 00000000123 14716422132 0014112 0 ustar 00 setDefaultLogger(new TestLogger());
ini_set('display_errors', 1);
throw new \Exception('foo');
?>
--EXPECTF--
Uncaught Exception: foo
123
Fatal error: Uncaught %s:25
Stack trace:
%a
debug/Tests/phpt/debug_class_loader.phpt 0000644 00000002015 14716422132 0014405 0 ustar 00 --TEST--
Test DebugClassLoader with previously loaded parents
--FILE--
--EXPECTF--
The "Symfony\Component\Debug\Tests\Fixtures\FinalMethod::finalMethod()" method is considered final since version 3.3. It may change without further notice as of its next major version. You should not extend it from "Symfony\Component\Debug\Tests\Fixtures\ExtendedFinalMethod".
The "Symfony\Component\Debug\Tests\Fixtures\FinalMethod::finalMethod2()" method is considered final. It may change without further notice as of its next major version. You should not extend it from "Symfony\Component\Debug\Tests\Fixtures\ExtendedFinalMethod".
debug/Tests/phpt/fatal_with_nested_handlers.phpt 0000644 00000002035 14716422132 0016152 0 ustar 00 --TEST--
Test catching fatal errors when handlers are nested
--FILE--
setExceptionHandler('print_r');
if (true) {
class Broken implements \Serializable
{
}
}
?>
--EXPECTF--
array(1) {
[0]=>
string(37) "Error and exception handlers do match"
}
object(Symfony\Component\Debug\Exception\FatalErrorException)#%d (%d) {
["message":protected]=>
string(199) "Error: Class Symfony\Component\Debug\Broken contains 2 abstract methods and must therefore be declared abstract or implement the remaining methods (Serializable::serialize, Serializable::unserialize)"
%a
}
debug/Tests/phpt/decorate_exception_hander.phpt 0000644 00000001735 14716422132 0016001 0 ustar 00 --TEST--
Test catching fatal errors when handlers are nested
--INI--
display_errors=0
--FILE--
--EXPECTF--
object(Symfony\Component\Debug\Exception\ClassNotFoundException)#%d (8) {
["message":protected]=>
string(131) "Attempted to load class "missing" from namespace "Symfony\Component\Debug".
Did you forget a "use" statement for another namespace?"
["string":"Exception":private]=>
string(0) ""
["code":protected]=>
int(0)
["file":protected]=>
string(%d) "%s"
["line":protected]=>
int(%d)
["trace":"Exception":private]=>
array(%d) {%A}
["previous":"Exception":private]=>
NULL
["severity":protected]=>
int(1)
}
debug/error_log; 0000644 00000031274 14716422132 0007653 0 ustar 00 [16-Sep-2023 10:01:53 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[27-Sep-2023 18:10:17 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[27-Sep-2023 19:53:25 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[28-Sep-2023 14:07:36 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[28-Sep-2023 14:45:19 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[18-Nov-2023 10:28:15 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[19-Nov-2023 02:46:24 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[19-Nov-2023 09:35:18 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[19-Nov-2023 23:54:28 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[26-Nov-2023 20:43:32 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[08-Dec-2023 23:40:29 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[04-Jan-2024 07:36:45 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[11-Feb-2024 10:03:04 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[14-Feb-2024 03:17:50 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[15-Feb-2024 03:15:47 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[06-Mar-2024 09:40:19 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[11-Apr-2024 05:19:28 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[13-Apr-2024 12:10:00 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[14-Apr-2024 01:49:36 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[04-May-2024 22:00:40 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[05-May-2024 07:57:00 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[05-May-2024 18:08:20 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[14-May-2024 12:20:33 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[15-May-2024 23:20:53 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[18-May-2024 08:07:14 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[22-May-2024 08:20:11 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[22-May-2024 14:13:21 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[14-Jun-2024 15:49:14 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[14-Jun-2024 22:02:33 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[18-Jun-2024 19:38:45 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[19-Jun-2024 04:39:53 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[19-Jun-2024 16:02:53 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[20-Jun-2024 01:51:45 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[20-Jun-2024 19:42:28 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[26-Jun-2024 22:00:03 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[27-Jun-2024 08:33:47 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[28-Jun-2024 08:19:23 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[05-Jul-2024 10:18:28 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[18-Jul-2024 10:31:51 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[22-Jul-2024 16:33:52 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[23-Jul-2024 05:41:52 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[24-Jul-2024 03:12:40 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[31-Jul-2024 07:59:16 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[31-Jul-2024 20:46:49 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[03-Aug-2024 02:45:36 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[09-Aug-2024 12:26:39 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[17-Aug-2024 04:32:00 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[18-Aug-2024 07:32:38 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[23-Aug-2024 08:59:13 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[29-Aug-2024 04:29:01 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[29-Aug-2024 06:33:25 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[30-Aug-2024 13:58:11 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[30-Aug-2024 14:00:11 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[01-Sep-2024 20:11:29 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[04-Sep-2024 02:37:57 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[08-Sep-2024 03:49:52 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[11-Sep-2024 20:05:25 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[18-Sep-2024 16:39:38 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[25-Sep-2024 07:36:15 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[01-Oct-2024 06:08:51 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[11-Oct-2024 21:56:32 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[18-Oct-2024 10:17:14 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[19-Oct-2024 00:43:19 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[29-Oct-2024 01:24:59 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[04-Nov-2024 03:00:43 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[06-Nov-2024 12:06:35 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[06-Nov-2024 22:48:55 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
[11-Nov-2024 08:54:19 America/Fortaleza] PHP Fatal error: Class 'Psr\Log\AbstractLogger' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/BufferingLogger.php on line 21
debug/BufferingLogger.php 0000644 00000001334 14716422132 0011415 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug;
use Psr\Log\AbstractLogger;
/**
* A buffering logger that stacks logs for later.
*
* @author Nicolas Grekas
*/
class BufferingLogger extends AbstractLogger
{
private $logs = [];
public function log($level, $message, array $context = [])
{
$this->logs[] = [$level, $message, $context];
}
public function cleanLogs()
{
$logs = $this->logs;
$this->logs = [];
return $logs;
}
}
debug/phpunit.xml.dist 0000644 00000001734 14716422132 0011014 0 ustar 00
./Tests/
./Resources/ext/tests/
./
./Tests
./vendor
debug/Debug.php 0000644 00000003343 14716422132 0007376 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug;
/**
* Registers all the debug tools.
*
* @author Fabien Potencier
*/
class Debug
{
private static $enabled = false;
/**
* Enables the debug tools.
*
* This method registers an error handler, an exception handler and a special class loader.
*
* @param int $errorReportingLevel The level of error reporting you want
* @param bool $displayErrors Whether to display errors (for development) or just log them (for production)
*/
public static function enable($errorReportingLevel = E_ALL, $displayErrors = true)
{
if (static::$enabled) {
return;
}
static::$enabled = true;
if (null !== $errorReportingLevel) {
error_reporting($errorReportingLevel);
} else {
error_reporting(E_ALL);
}
if (!\in_array(\PHP_SAPI, ['cli', 'phpdbg'], true)) {
ini_set('display_errors', 0);
ExceptionHandler::register();
} elseif ($displayErrors && (!filter_var(ini_get('log_errors'), FILTER_VALIDATE_BOOLEAN) || ini_get('error_log'))) {
// CLI - display errors only if they're not already logged to STDERR
ini_set('display_errors', 1);
}
if ($displayErrors) {
ErrorHandler::register(new ErrorHandler(new BufferingLogger()));
} else {
ErrorHandler::register()->throwAt(0, true);
}
DebugClassLoader::enable();
}
}
debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php 0000644 00000004133 14716422132 0020227 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\FatalErrorHandler;
use Symfony\Component\Debug\Exception\FatalErrorException;
use Symfony\Component\Debug\Exception\UndefinedMethodException;
/**
* ErrorHandler for undefined methods.
*
* @author Grégoire Pineau
*/
class UndefinedMethodFatalErrorHandler implements FatalErrorHandlerInterface
{
/**
* {@inheritdoc}
*/
public function handleError(array $error, FatalErrorException $exception)
{
preg_match('/^Call to undefined method (.*)::(.*)\(\)$/', $error['message'], $matches);
if (!$matches) {
return null;
}
$className = $matches[1];
$methodName = $matches[2];
$message = sprintf('Attempted to call an undefined method named "%s" of class "%s".', $methodName, $className);
if (!class_exists($className) || null === $methods = get_class_methods($className)) {
// failed to get the class or its methods on which an unknown method was called (for example on an anonymous class)
return new UndefinedMethodException($message, $exception);
}
$candidates = [];
foreach ($methods as $definedMethodName) {
$lev = levenshtein($methodName, $definedMethodName);
if ($lev <= \strlen($methodName) / 3 || false !== strpos($definedMethodName, $methodName)) {
$candidates[] = $definedMethodName;
}
}
if ($candidates) {
sort($candidates);
$last = array_pop($candidates).'"?';
if ($candidates) {
$candidates = 'e.g. "'.implode('", "', $candidates).'" or "'.$last;
} else {
$candidates = '"'.$last;
}
$message .= "\nDid you mean to call ".$candidates;
}
return new UndefinedMethodException($message, $exception);
}
}
debug/FatalErrorHandler/FatalErrorHandlerInterface.php 0000644 00000001677 14716422132 0017077 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\FatalErrorHandler;
use Symfony\Component\Debug\Exception\FatalErrorException;
/**
* Attempts to convert fatal errors to exceptions.
*
* @author Fabien Potencier
*/
interface FatalErrorHandlerInterface
{
/**
* Attempts to convert an error into an exception.
*
* @param array $error An array as returned by error_get_last()
* @param FatalErrorException $exception A FatalErrorException instance
*
* @return FatalErrorException|null A FatalErrorException instance if the class is able to convert the error, null otherwise
*/
public function handleError(array $error, FatalErrorException $exception);
}
debug/FatalErrorHandler/error_log; 0000644 00000135206 14716422132 0013212 0 ustar 00 [12-Sep-2023 18:53:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[13-Sep-2023 23:27:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[29-Sep-2023 12:44:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[29-Sep-2023 12:44:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[29-Sep-2023 12:44:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[29-Sep-2023 16:05:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[29-Sep-2023 16:05:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[29-Sep-2023 16:05:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[30-Sep-2023 17:58:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[30-Sep-2023 17:58:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[30-Sep-2023 17:58:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[30-Sep-2023 19:26:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[30-Sep-2023 19:26:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[30-Sep-2023 19:26:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[15-Nov-2023 10:43:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[18-Nov-2023 01:31:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[21-Nov-2023 05:32:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[21-Nov-2023 16:44:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[21-Nov-2023 16:44:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[21-Nov-2023 16:44:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[22-Nov-2023 03:38:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[22-Nov-2023 03:38:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[22-Nov-2023 03:38:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[22-Nov-2023 23:52:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[22-Nov-2023 23:52:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[22-Nov-2023 23:52:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[23-Nov-2023 15:05:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[23-Nov-2023 15:05:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[23-Nov-2023 15:05:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[18-Dec-2023 14:09:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[18-Dec-2023 14:10:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[07-Jan-2024 15:56:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[12-Jan-2024 01:40:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[16-Jan-2024 13:39:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[16-Feb-2024 10:01:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[17-Feb-2024 07:53:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[18-Feb-2024 15:08:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[28-Feb-2024 11:38:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[12-Mar-2024 22:59:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[19-Mar-2024 12:00:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[02-Apr-2024 04:57:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[03-Apr-2024 07:54:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[03-Apr-2024 10:52:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[21-Apr-2024 00:58:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[23-Apr-2024 11:19:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[24-Apr-2024 09:48:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[26-Apr-2024 06:14:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[04-May-2024 22:01:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[04-May-2024 22:02:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[04-May-2024 22:02:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[05-May-2024 07:58:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[05-May-2024 07:58:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[05-May-2024 07:58:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[05-May-2024 18:09:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[05-May-2024 18:09:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[05-May-2024 18:09:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[07-May-2024 06:11:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[13-May-2024 22:24:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[14-May-2024 10:14:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[14-May-2024 10:17:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[14-May-2024 12:21:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[14-May-2024 12:21:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[14-May-2024 12:24:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[25-May-2024 21:46:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[30-May-2024 22:12:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[31-May-2024 07:14:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[03-Jun-2024 18:52:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[09-Jun-2024 01:08:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[14-Jun-2024 15:50:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[14-Jun-2024 15:50:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[14-Jun-2024 15:50:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[15-Jun-2024 06:46:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[16-Jun-2024 02:17:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[16-Jun-2024 02:33:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[16-Jun-2024 03:07:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[18-Jun-2024 19:40:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[18-Jun-2024 19:40:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[18-Jun-2024 19:40:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[19-Jun-2024 04:41:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[19-Jun-2024 04:41:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[19-Jun-2024 04:41:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[19-Jun-2024 16:04:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[19-Jun-2024 16:04:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[19-Jun-2024 16:04:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[28-Jun-2024 07:53:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[07-Jul-2024 16:40:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[07-Jul-2024 17:52:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[07-Jul-2024 19:08:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[18-Jul-2024 04:57:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[18-Jul-2024 18:53:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[22-Jul-2024 16:24:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[22-Jul-2024 16:35:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[22-Jul-2024 16:35:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[22-Jul-2024 16:35:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[28-Jul-2024 14:32:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[01-Aug-2024 15:13:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[01-Aug-2024 22:30:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[01-Aug-2024 22:35:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[01-Aug-2024 22:35:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[02-Aug-2024 20:09:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[09-Aug-2024 15:22:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[10-Aug-2024 09:06:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[12-Aug-2024 19:17:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[12-Aug-2024 19:22:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[12-Aug-2024 19:22:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[13-Aug-2024 10:35:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[14-Aug-2024 04:23:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[15-Aug-2024 03:30:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[16-Aug-2024 07:28:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[17-Aug-2024 03:23:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[18-Aug-2024 14:30:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[18-Aug-2024 14:34:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[18-Aug-2024 14:34:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[23-Aug-2024 12:01:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[24-Aug-2024 05:08:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[24-Aug-2024 07:02:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[24-Aug-2024 09:37:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[26-Aug-2024 09:12:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[30-Aug-2024 13:30:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[30-Aug-2024 13:59:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[30-Aug-2024 13:59:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[30-Aug-2024 14:01:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[30-Aug-2024 14:01:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[30-Aug-2024 14:06:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[30-Aug-2024 14:06:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[01-Sep-2024 20:12:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[01-Sep-2024 20:12:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[01-Sep-2024 20:12:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[04-Sep-2024 01:20:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[04-Sep-2024 17:26:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[04-Sep-2024 18:04:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[06-Sep-2024 12:49:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[11-Sep-2024 20:06:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[11-Sep-2024 20:06:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[11-Sep-2024 20:06:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[15-Sep-2024 14:00:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[15-Sep-2024 21:51:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[18-Sep-2024 08:07:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[19-Sep-2024 23:52:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[20-Sep-2024 01:46:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[20-Sep-2024 10:34:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[20-Sep-2024 16:04:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[20-Sep-2024 16:09:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[20-Sep-2024 16:10:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[25-Sep-2024 16:30:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[26-Sep-2024 04:28:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[06-Oct-2024 20:51:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[06-Oct-2024 20:51:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[08-Oct-2024 08:24:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[12-Oct-2024 07:40:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[14-Oct-2024 03:16:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[18-Oct-2024 12:23:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[18-Oct-2024 12:27:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[18-Oct-2024 12:28:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[18-Oct-2024 15:15:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[23-Oct-2024 03:52:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[23-Oct-2024 13:20:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[29-Oct-2024 01:26:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[29-Oct-2024 01:26:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[29-Oct-2024 01:26:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[01-Nov-2024 00:48:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[01-Nov-2024 00:48:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[01-Nov-2024 16:54:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[04-Nov-2024 11:20:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[04-Nov-2024 16:31:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[06-Nov-2024 12:07:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[06-Nov-2024 12:07:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[06-Nov-2024 12:08:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
[11-Nov-2024 06:13:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[11-Nov-2024 09:38:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[11-Nov-2024 22:13:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php on line 25
[11-Nov-2024 22:13:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedMethodFatalErrorHandler.php on line 22
[11-Nov-2024 22:14:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php on line 22
debug/FatalErrorHandler/UndefinedFunctionFatalErrorHandler.php 0000644 00000006002 14716422132 0020571 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\FatalErrorHandler;
use Symfony\Component\Debug\Exception\FatalErrorException;
use Symfony\Component\Debug\Exception\UndefinedFunctionException;
/**
* ErrorHandler for undefined functions.
*
* @author Fabien Potencier
*/
class UndefinedFunctionFatalErrorHandler implements FatalErrorHandlerInterface
{
/**
* {@inheritdoc}
*/
public function handleError(array $error, FatalErrorException $exception)
{
$messageLen = \strlen($error['message']);
$notFoundSuffix = '()';
$notFoundSuffixLen = \strlen($notFoundSuffix);
if ($notFoundSuffixLen > $messageLen) {
return null;
}
if (0 !== substr_compare($error['message'], $notFoundSuffix, -$notFoundSuffixLen)) {
return null;
}
$prefix = 'Call to undefined function ';
$prefixLen = \strlen($prefix);
if (0 !== strpos($error['message'], $prefix)) {
return null;
}
$fullyQualifiedFunctionName = substr($error['message'], $prefixLen, -$notFoundSuffixLen);
if (false !== $namespaceSeparatorIndex = strrpos($fullyQualifiedFunctionName, '\\')) {
$functionName = substr($fullyQualifiedFunctionName, $namespaceSeparatorIndex + 1);
$namespacePrefix = substr($fullyQualifiedFunctionName, 0, $namespaceSeparatorIndex);
$message = sprintf('Attempted to call function "%s" from namespace "%s".', $functionName, $namespacePrefix);
} else {
$functionName = $fullyQualifiedFunctionName;
$message = sprintf('Attempted to call function "%s" from the global namespace.', $functionName);
}
$candidates = [];
foreach (get_defined_functions() as $type => $definedFunctionNames) {
foreach ($definedFunctionNames as $definedFunctionName) {
if (false !== $namespaceSeparatorIndex = strrpos($definedFunctionName, '\\')) {
$definedFunctionNameBasename = substr($definedFunctionName, $namespaceSeparatorIndex + 1);
} else {
$definedFunctionNameBasename = $definedFunctionName;
}
if ($definedFunctionNameBasename === $functionName) {
$candidates[] = '\\'.$definedFunctionName;
}
}
}
if ($candidates) {
sort($candidates);
$last = array_pop($candidates).'"?';
if ($candidates) {
$candidates = 'e.g. "'.implode('", "', $candidates).'" or "'.$last;
} else {
$candidates = '"'.$last;
}
$message .= "\nDid you mean to call ".$candidates;
}
return new UndefinedFunctionException($message, $exception);
}
}
debug/FatalErrorHandler/ClassNotFoundFatalErrorHandler.php 0000644 00000016471 14716422132 0017717 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\FatalErrorHandler;
use Composer\Autoload\ClassLoader as ComposerClassLoader;
use Symfony\Component\ClassLoader\ClassLoader as SymfonyClassLoader;
use Symfony\Component\Debug\DebugClassLoader;
use Symfony\Component\Debug\Exception\ClassNotFoundException;
use Symfony\Component\Debug\Exception\FatalErrorException;
/**
* ErrorHandler for classes that do not exist.
*
* @author Fabien Potencier
*/
class ClassNotFoundFatalErrorHandler implements FatalErrorHandlerInterface
{
/**
* {@inheritdoc}
*/
public function handleError(array $error, FatalErrorException $exception)
{
$messageLen = \strlen($error['message']);
$notFoundSuffix = '\' not found';
$notFoundSuffixLen = \strlen($notFoundSuffix);
if ($notFoundSuffixLen > $messageLen) {
return null;
}
if (0 !== substr_compare($error['message'], $notFoundSuffix, -$notFoundSuffixLen)) {
return null;
}
foreach (['class', 'interface', 'trait'] as $typeName) {
$prefix = ucfirst($typeName).' \'';
$prefixLen = \strlen($prefix);
if (0 !== strpos($error['message'], $prefix)) {
continue;
}
$fullyQualifiedClassName = substr($error['message'], $prefixLen, -$notFoundSuffixLen);
if (false !== $namespaceSeparatorIndex = strrpos($fullyQualifiedClassName, '\\')) {
$className = substr($fullyQualifiedClassName, $namespaceSeparatorIndex + 1);
$namespacePrefix = substr($fullyQualifiedClassName, 0, $namespaceSeparatorIndex);
$message = sprintf('Attempted to load %s "%s" from namespace "%s".', $typeName, $className, $namespacePrefix);
$tail = ' for another namespace?';
} else {
$className = $fullyQualifiedClassName;
$message = sprintf('Attempted to load %s "%s" from the global namespace.', $typeName, $className);
$tail = '?';
}
if ($candidates = $this->getClassCandidates($className)) {
$tail = array_pop($candidates).'"?';
if ($candidates) {
$tail = ' for e.g. "'.implode('", "', $candidates).'" or "'.$tail;
} else {
$tail = ' for "'.$tail;
}
}
$message .= "\nDid you forget a \"use\" statement".$tail;
return new ClassNotFoundException($message, $exception);
}
return null;
}
/**
* Tries to guess the full namespace for a given class name.
*
* By default, it looks for PSR-0 and PSR-4 classes registered via a Symfony or a Composer
* autoloader (that should cover all common cases).
*
* @param string $class A class name (without its namespace)
*
* @return array An array of possible fully qualified class names
*/
private function getClassCandidates($class)
{
if (!\is_array($functions = spl_autoload_functions())) {
return [];
}
// find Symfony and Composer autoloaders
$classes = [];
foreach ($functions as $function) {
if (!\is_array($function)) {
continue;
}
// get class loaders wrapped by DebugClassLoader
if ($function[0] instanceof DebugClassLoader) {
$function = $function[0]->getClassLoader();
if (!\is_array($function)) {
continue;
}
}
if ($function[0] instanceof ComposerClassLoader || $function[0] instanceof SymfonyClassLoader) {
foreach ($function[0]->getPrefixes() as $prefix => $paths) {
foreach ($paths as $path) {
$classes = array_merge($classes, $this->findClassInPath($path, $class, $prefix));
}
}
}
if ($function[0] instanceof ComposerClassLoader) {
foreach ($function[0]->getPrefixesPsr4() as $prefix => $paths) {
foreach ($paths as $path) {
$classes = array_merge($classes, $this->findClassInPath($path, $class, $prefix));
}
}
}
}
return array_unique($classes);
}
/**
* @param string $path
* @param string $class
* @param string $prefix
*
* @return array
*/
private function findClassInPath($path, $class, $prefix)
{
if (!$path = realpath($path.'/'.strtr($prefix, '\\_', '//')) ?: realpath($path.'/'.\dirname(strtr($prefix, '\\_', '//'))) ?: realpath($path)) {
return [];
}
$classes = [];
$filename = $class.'.php';
foreach (new \RecursiveIteratorIterator(new \RecursiveDirectoryIterator($path, \RecursiveDirectoryIterator::SKIP_DOTS), \RecursiveIteratorIterator::LEAVES_ONLY) as $file) {
if ($filename == $file->getFileName() && $class = $this->convertFileToClass($path, $file->getPathName(), $prefix)) {
$classes[] = $class;
}
}
return $classes;
}
/**
* @param string $path
* @param string $file
* @param string $prefix
*
* @return string|null
*/
private function convertFileToClass($path, $file, $prefix)
{
$candidates = [
// namespaced class
$namespacedClass = str_replace([$path.\DIRECTORY_SEPARATOR, '.php', '/'], ['', '', '\\'], $file),
// namespaced class (with target dir)
$prefix.$namespacedClass,
// namespaced class (with target dir and separator)
$prefix.'\\'.$namespacedClass,
// PEAR class
str_replace('\\', '_', $namespacedClass),
// PEAR class (with target dir)
str_replace('\\', '_', $prefix.$namespacedClass),
// PEAR class (with target dir and separator)
str_replace('\\', '_', $prefix.'\\'.$namespacedClass),
];
if ($prefix) {
$candidates = array_filter($candidates, function ($candidate) use ($prefix) { return 0 === strpos($candidate, $prefix); });
}
// We cannot use the autoloader here as most of them use require; but if the class
// is not found, the new autoloader call will require the file again leading to a
// "cannot redeclare class" error.
foreach ($candidates as $candidate) {
if ($this->classExists($candidate)) {
return $candidate;
}
}
try {
require_once $file;
} catch (\Throwable $e) {
return null;
}
foreach ($candidates as $candidate) {
if ($this->classExists($candidate)) {
return $candidate;
}
}
return null;
}
/**
* @param string $class
*
* @return bool
*/
private function classExists($class)
{
return class_exists($class, false) || interface_exists($class, false) || trait_exists($class, false);
}
}
debug/ErrorHandler.php 0000644 00000072454 14716422132 0010750 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug;
use Psr\Log\LoggerInterface;
use Psr\Log\LogLevel;
use Symfony\Component\Debug\Exception\ContextErrorException;
use Symfony\Component\Debug\Exception\FatalErrorException;
use Symfony\Component\Debug\Exception\FatalThrowableError;
use Symfony\Component\Debug\Exception\OutOfMemoryException;
use Symfony\Component\Debug\Exception\SilencedErrorContext;
use Symfony\Component\Debug\FatalErrorHandler\ClassNotFoundFatalErrorHandler;
use Symfony\Component\Debug\FatalErrorHandler\FatalErrorHandlerInterface;
use Symfony\Component\Debug\FatalErrorHandler\UndefinedFunctionFatalErrorHandler;
use Symfony\Component\Debug\FatalErrorHandler\UndefinedMethodFatalErrorHandler;
/**
* A generic ErrorHandler for the PHP engine.
*
* Provides five bit fields that control how errors are handled:
* - thrownErrors: errors thrown as \ErrorException
* - loggedErrors: logged errors, when not @-silenced
* - scopedErrors: errors thrown or logged with their local context
* - tracedErrors: errors logged with their stack trace
* - screamedErrors: never @-silenced errors
*
* Each error level can be logged by a dedicated PSR-3 logger object.
* Screaming only applies to logging.
* Throwing takes precedence over logging.
* Uncaught exceptions are logged as E_ERROR.
* E_DEPRECATED and E_USER_DEPRECATED levels never throw.
* E_RECOVERABLE_ERROR and E_USER_ERROR levels always throw.
* Non catchable errors that can be detected at shutdown time are logged when the scream bit field allows so.
* As errors have a performance cost, repeated errors are all logged, so that the developer
* can see them and weight them as more important to fix than others of the same level.
*
* @author Nicolas Grekas
* @author Grégoire Pineau
*/
class ErrorHandler
{
private $levels = [
E_DEPRECATED => 'Deprecated',
E_USER_DEPRECATED => 'User Deprecated',
E_NOTICE => 'Notice',
E_USER_NOTICE => 'User Notice',
E_STRICT => 'Runtime Notice',
E_WARNING => 'Warning',
E_USER_WARNING => 'User Warning',
E_COMPILE_WARNING => 'Compile Warning',
E_CORE_WARNING => 'Core Warning',
E_USER_ERROR => 'User Error',
E_RECOVERABLE_ERROR => 'Catchable Fatal Error',
E_COMPILE_ERROR => 'Compile Error',
E_PARSE => 'Parse Error',
E_ERROR => 'Error',
E_CORE_ERROR => 'Core Error',
];
private $loggers = [
E_DEPRECATED => [null, LogLevel::INFO],
E_USER_DEPRECATED => [null, LogLevel::INFO],
E_NOTICE => [null, LogLevel::WARNING],
E_USER_NOTICE => [null, LogLevel::WARNING],
E_STRICT => [null, LogLevel::WARNING],
E_WARNING => [null, LogLevel::WARNING],
E_USER_WARNING => [null, LogLevel::WARNING],
E_COMPILE_WARNING => [null, LogLevel::WARNING],
E_CORE_WARNING => [null, LogLevel::WARNING],
E_USER_ERROR => [null, LogLevel::CRITICAL],
E_RECOVERABLE_ERROR => [null, LogLevel::CRITICAL],
E_COMPILE_ERROR => [null, LogLevel::CRITICAL],
E_PARSE => [null, LogLevel::CRITICAL],
E_ERROR => [null, LogLevel::CRITICAL],
E_CORE_ERROR => [null, LogLevel::CRITICAL],
];
private $thrownErrors = 0x1FFF; // E_ALL - E_DEPRECATED - E_USER_DEPRECATED
private $scopedErrors = 0x1FFF; // E_ALL - E_DEPRECATED - E_USER_DEPRECATED
private $tracedErrors = 0x77FB; // E_ALL - E_STRICT - E_PARSE
private $screamedErrors = 0x55; // E_ERROR + E_CORE_ERROR + E_COMPILE_ERROR + E_PARSE
private $loggedErrors = 0;
private $traceReflector;
private $isRecursive = 0;
private $isRoot = false;
private $exceptionHandler;
private $bootstrappingLogger;
private static $reservedMemory;
private static $stackedErrors = [];
private static $stackedErrorLevels = [];
private static $toStringException = null;
private static $silencedErrorCache = [];
private static $silencedErrorCount = 0;
private static $exitCode = 0;
/**
* Registers the error handler.
*
* @param self|null $handler The handler to register
* @param bool $replace Whether to replace or not any existing handler
*
* @return self The registered error handler
*/
public static function register(self $handler = null, $replace = true)
{
if (null === self::$reservedMemory) {
self::$reservedMemory = str_repeat('x', 10240);
register_shutdown_function(__CLASS__.'::handleFatalError');
}
if ($handlerIsNew = null === $handler) {
$handler = new static();
}
if (null === $prev = set_error_handler([$handler, 'handleError'])) {
restore_error_handler();
// Specifying the error types earlier would expose us to https://bugs.php.net/63206
set_error_handler([$handler, 'handleError'], $handler->thrownErrors | $handler->loggedErrors);
$handler->isRoot = true;
}
if ($handlerIsNew && \is_array($prev) && $prev[0] instanceof self) {
$handler = $prev[0];
$replace = false;
}
if (!$replace && $prev) {
restore_error_handler();
$handlerIsRegistered = \is_array($prev) && $handler === $prev[0];
} else {
$handlerIsRegistered = true;
}
if (\is_array($prev = set_exception_handler([$handler, 'handleException'])) && $prev[0] instanceof self) {
restore_exception_handler();
if (!$handlerIsRegistered) {
$handler = $prev[0];
} elseif ($handler !== $prev[0] && $replace) {
set_exception_handler([$handler, 'handleException']);
$p = $prev[0]->setExceptionHandler(null);
$handler->setExceptionHandler($p);
$prev[0]->setExceptionHandler($p);
}
} else {
$handler->setExceptionHandler($prev);
}
$handler->throwAt(E_ALL & $handler->thrownErrors, true);
return $handler;
}
public function __construct(BufferingLogger $bootstrappingLogger = null)
{
if ($bootstrappingLogger) {
$this->bootstrappingLogger = $bootstrappingLogger;
$this->setDefaultLogger($bootstrappingLogger);
}
$this->traceReflector = new \ReflectionProperty('Exception', 'trace');
$this->traceReflector->setAccessible(true);
}
/**
* Sets a logger to non assigned errors levels.
*
* @param LoggerInterface $logger A PSR-3 logger to put as default for the given levels
* @param array|int $levels An array map of E_* to LogLevel::* or an integer bit field of E_* constants
* @param bool $replace Whether to replace or not any existing logger
*/
public function setDefaultLogger(LoggerInterface $logger, $levels = E_ALL, $replace = false)
{
$loggers = [];
if (\is_array($levels)) {
foreach ($levels as $type => $logLevel) {
if (empty($this->loggers[$type][0]) || $replace || $this->loggers[$type][0] === $this->bootstrappingLogger) {
$loggers[$type] = [$logger, $logLevel];
}
}
} else {
if (null === $levels) {
$levels = E_ALL;
}
foreach ($this->loggers as $type => $log) {
if (($type & $levels) && (empty($log[0]) || $replace || $log[0] === $this->bootstrappingLogger)) {
$log[0] = $logger;
$loggers[$type] = $log;
}
}
}
$this->setLoggers($loggers);
}
/**
* Sets a logger for each error level.
*
* @param array $loggers Error levels to [LoggerInterface|null, LogLevel::*] map
*
* @return array The previous map
*
* @throws \InvalidArgumentException
*/
public function setLoggers(array $loggers)
{
$prevLogged = $this->loggedErrors;
$prev = $this->loggers;
$flush = [];
foreach ($loggers as $type => $log) {
if (!isset($prev[$type])) {
throw new \InvalidArgumentException('Unknown error type: '.$type);
}
if (!\is_array($log)) {
$log = [$log];
} elseif (!\array_key_exists(0, $log)) {
throw new \InvalidArgumentException('No logger provided.');
}
if (null === $log[0]) {
$this->loggedErrors &= ~$type;
} elseif ($log[0] instanceof LoggerInterface) {
$this->loggedErrors |= $type;
} else {
throw new \InvalidArgumentException('Invalid logger provided.');
}
$this->loggers[$type] = $log + $prev[$type];
if ($this->bootstrappingLogger && $prev[$type][0] === $this->bootstrappingLogger) {
$flush[$type] = $type;
}
}
$this->reRegister($prevLogged | $this->thrownErrors);
if ($flush) {
foreach ($this->bootstrappingLogger->cleanLogs() as $log) {
$type = $log[2]['exception'] instanceof \ErrorException ? $log[2]['exception']->getSeverity() : E_ERROR;
if (!isset($flush[$type])) {
$this->bootstrappingLogger->log($log[0], $log[1], $log[2]);
} elseif ($this->loggers[$type][0]) {
$this->loggers[$type][0]->log($this->loggers[$type][1], $log[1], $log[2]);
}
}
}
return $prev;
}
/**
* Sets a user exception handler.
*
* @param callable $handler A handler that will be called on Exception
*
* @return callable|null The previous exception handler
*/
public function setExceptionHandler(callable $handler = null)
{
$prev = $this->exceptionHandler;
$this->exceptionHandler = $handler;
return $prev;
}
/**
* Sets the PHP error levels that throw an exception when a PHP error occurs.
*
* @param int $levels A bit field of E_* constants for thrown errors
* @param bool $replace Replace or amend the previous value
*
* @return int The previous value
*/
public function throwAt($levels, $replace = false)
{
$prev = $this->thrownErrors;
$this->thrownErrors = ($levels | E_RECOVERABLE_ERROR | E_USER_ERROR) & ~E_USER_DEPRECATED & ~E_DEPRECATED;
if (!$replace) {
$this->thrownErrors |= $prev;
}
$this->reRegister($prev | $this->loggedErrors);
return $prev;
}
/**
* Sets the PHP error levels for which local variables are preserved.
*
* @param int $levels A bit field of E_* constants for scoped errors
* @param bool $replace Replace or amend the previous value
*
* @return int The previous value
*/
public function scopeAt($levels, $replace = false)
{
$prev = $this->scopedErrors;
$this->scopedErrors = (int) $levels;
if (!$replace) {
$this->scopedErrors |= $prev;
}
return $prev;
}
/**
* Sets the PHP error levels for which the stack trace is preserved.
*
* @param int $levels A bit field of E_* constants for traced errors
* @param bool $replace Replace or amend the previous value
*
* @return int The previous value
*/
public function traceAt($levels, $replace = false)
{
$prev = $this->tracedErrors;
$this->tracedErrors = (int) $levels;
if (!$replace) {
$this->tracedErrors |= $prev;
}
return $prev;
}
/**
* Sets the error levels where the @-operator is ignored.
*
* @param int $levels A bit field of E_* constants for screamed errors
* @param bool $replace Replace or amend the previous value
*
* @return int The previous value
*/
public function screamAt($levels, $replace = false)
{
$prev = $this->screamedErrors;
$this->screamedErrors = (int) $levels;
if (!$replace) {
$this->screamedErrors |= $prev;
}
return $prev;
}
/**
* Re-registers as a PHP error handler if levels changed.
*/
private function reRegister($prev)
{
if ($prev !== $this->thrownErrors | $this->loggedErrors) {
$handler = set_error_handler('var_dump');
$handler = \is_array($handler) ? $handler[0] : null;
restore_error_handler();
if ($handler === $this) {
restore_error_handler();
if ($this->isRoot) {
set_error_handler([$this, 'handleError'], $this->thrownErrors | $this->loggedErrors);
} else {
set_error_handler([$this, 'handleError']);
}
}
}
}
/**
* Handles errors by filtering then logging them according to the configured bit fields.
*
* @param int $type One of the E_* constants
* @param string $message
* @param string $file
* @param int $line
*
* @return bool Returns false when no handling happens so that the PHP engine can handle the error itself
*
* @throws \ErrorException When $this->thrownErrors requests so
*
* @internal
*/
public function handleError($type, $message, $file, $line)
{
if (\PHP_VERSION_ID >= 70300 && E_WARNING === $type && '"' === $message[0] && false !== strpos($message, '" targeting switch is equivalent to "break')) {
$type = E_DEPRECATED;
}
// Level is the current error reporting level to manage silent error.
$level = error_reporting();
$silenced = 0 === ($level & $type);
// Strong errors are not authorized to be silenced.
$level |= E_RECOVERABLE_ERROR | E_USER_ERROR | E_DEPRECATED | E_USER_DEPRECATED;
$log = $this->loggedErrors & $type;
$throw = $this->thrownErrors & $type & $level;
$type &= $level | $this->screamedErrors;
if (!$type || (!$log && !$throw)) {
return !$silenced && $type && $log;
}
$scope = $this->scopedErrors & $type;
if (4 < $numArgs = \func_num_args()) {
$context = $scope ? (func_get_arg(4) ?: []) : [];
$backtrace = 5 < $numArgs ? func_get_arg(5) : null; // defined on HHVM
} else {
$context = [];
$backtrace = null;
}
if (isset($context['GLOBALS']) && $scope) {
$e = $context; // Whatever the signature of the method,
unset($e['GLOBALS'], $context); // $context is always a reference in 5.3
$context = $e;
}
if (null !== $backtrace && $type & E_ERROR) {
// E_ERROR fatal errors are triggered on HHVM when
// hhvm.error_handling.call_user_handler_on_fatals=1
// which is the way to get their backtrace.
$this->handleFatalError(compact('type', 'message', 'file', 'line', 'backtrace'));
return true;
}
$logMessage = $this->levels[$type].': '.$message;
if (null !== self::$toStringException) {
$errorAsException = self::$toStringException;
self::$toStringException = null;
} elseif (!$throw && !($type & $level)) {
if (!isset(self::$silencedErrorCache[$id = $file.':'.$line])) {
$lightTrace = $this->tracedErrors & $type ? $this->cleanTrace(debug_backtrace(DEBUG_BACKTRACE_IGNORE_ARGS, 3), $type, $file, $line, false) : [];
$errorAsException = new SilencedErrorContext($type, $file, $line, $lightTrace);
} elseif (isset(self::$silencedErrorCache[$id][$message])) {
$lightTrace = null;
$errorAsException = self::$silencedErrorCache[$id][$message];
++$errorAsException->count;
} else {
$lightTrace = [];
$errorAsException = null;
}
if (100 < ++self::$silencedErrorCount) {
self::$silencedErrorCache = $lightTrace = [];
self::$silencedErrorCount = 1;
}
if ($errorAsException) {
self::$silencedErrorCache[$id][$message] = $errorAsException;
}
if (null === $lightTrace) {
return true;
}
} else {
if ($scope) {
$errorAsException = new ContextErrorException($logMessage, 0, $type, $file, $line, $context);
} else {
$errorAsException = new \ErrorException($logMessage, 0, $type, $file, $line);
}
// Clean the trace by removing function arguments and the first frames added by the error handler itself.
if ($throw || $this->tracedErrors & $type) {
$backtrace = $backtrace ?: $errorAsException->getTrace();
$lightTrace = $this->cleanTrace($backtrace, $type, $file, $line, $throw);
$this->traceReflector->setValue($errorAsException, $lightTrace);
} else {
$this->traceReflector->setValue($errorAsException, []);
}
}
if ($throw) {
if (\PHP_VERSION_ID < 70400 && E_USER_ERROR & $type) {
for ($i = 1; isset($backtrace[$i]); ++$i) {
if (isset($backtrace[$i]['function'], $backtrace[$i]['type'], $backtrace[$i - 1]['function'])
&& '__toString' === $backtrace[$i]['function']
&& '->' === $backtrace[$i]['type']
&& !isset($backtrace[$i - 1]['class'])
&& ('trigger_error' === $backtrace[$i - 1]['function'] || 'user_error' === $backtrace[$i - 1]['function'])
) {
// Here, we know trigger_error() has been called from __toString().
// HHVM is fine with throwing from __toString() but PHP triggers a fatal error instead.
// A small convention allows working around the limitation:
// given a caught $e exception in __toString(), quitting the method with
// `return trigger_error($e, E_USER_ERROR);` allows this error handler
// to make $e get through the __toString() barrier.
foreach ($context as $e) {
if (($e instanceof \Exception || $e instanceof \Throwable) && $e->__toString() === $message) {
if (1 === $i) {
// On HHVM
$errorAsException = $e;
break;
}
self::$toStringException = $e;
return true;
}
}
if (1 < $i) {
// On PHP (not on HHVM), display the original error message instead of the default one.
$this->handleException($errorAsException);
// Stop the process by giving back the error to the native handler.
return false;
}
}
}
}
throw $errorAsException;
}
if ($this->isRecursive) {
$log = 0;
} elseif (self::$stackedErrorLevels) {
self::$stackedErrors[] = [
$this->loggers[$type][0],
($type & $level) ? $this->loggers[$type][1] : LogLevel::DEBUG,
$logMessage,
$errorAsException ? ['exception' => $errorAsException] : [],
];
} else {
if (\PHP_VERSION_ID < (\PHP_VERSION_ID < 70400 ? 70316 : 70404) && !\defined('HHVM_VERSION')) {
$currentErrorHandler = set_error_handler('var_dump');
restore_error_handler();
}
try {
$this->isRecursive = true;
$level = ($type & $level) ? $this->loggers[$type][1] : LogLevel::DEBUG;
$this->loggers[$type][0]->log($level, $logMessage, $errorAsException ? ['exception' => $errorAsException] : []);
} finally {
$this->isRecursive = false;
if (\PHP_VERSION_ID < (\PHP_VERSION_ID < 70400 ? 70316 : 70404) && !\defined('HHVM_VERSION')) {
set_error_handler($currentErrorHandler);
}
}
}
return !$silenced && $type && $log;
}
/**
* Handles an exception by logging then forwarding it to another handler.
*
* @param \Exception|\Throwable $exception An exception to handle
* @param array $error An array as returned by error_get_last()
*
* @internal
*/
public function handleException($exception, array $error = null)
{
if (null === $error) {
self::$exitCode = 255;
}
if (!$exception instanceof \Exception) {
$exception = new FatalThrowableError($exception);
}
$type = $exception instanceof FatalErrorException ? $exception->getSeverity() : E_ERROR;
$handlerException = null;
if (($this->loggedErrors & $type) || $exception instanceof FatalThrowableError) {
if ($exception instanceof FatalErrorException) {
if ($exception instanceof FatalThrowableError) {
$error = [
'type' => $type,
'message' => $message = $exception->getMessage(),
'file' => $exception->getFile(),
'line' => $exception->getLine(),
];
} else {
$message = 'Fatal '.$exception->getMessage();
}
} elseif ($exception instanceof \ErrorException) {
$message = 'Uncaught '.$exception->getMessage();
} else {
$message = 'Uncaught Exception: '.$exception->getMessage();
}
}
if ($this->loggedErrors & $type) {
try {
$this->loggers[$type][0]->log($this->loggers[$type][1], $message, ['exception' => $exception]);
} catch (\Exception $handlerException) {
} catch (\Throwable $handlerException) {
}
}
if ($exception instanceof FatalErrorException && !$exception instanceof OutOfMemoryException && $error) {
foreach ($this->getFatalErrorHandlers() as $handler) {
if ($e = $handler->handleError($error, $exception)) {
$exception = $e;
break;
}
}
}
$exceptionHandler = $this->exceptionHandler;
$this->exceptionHandler = null;
try {
if (null !== $exceptionHandler) {
$exceptionHandler($exception);
return;
}
$handlerException = $handlerException ?: $exception;
} catch (\Exception $handlerException) {
} catch (\Throwable $handlerException) {
}
if ($exception === $handlerException) {
self::$reservedMemory = null; // Disable the fatal error handler
throw $exception; // Give back $exception to the native handler
}
$this->handleException($handlerException);
}
/**
* Shutdown registered function for handling PHP fatal errors.
*
* @param array $error An array as returned by error_get_last()
*
* @internal
*/
public static function handleFatalError(array $error = null)
{
if (null === self::$reservedMemory) {
return;
}
$handler = self::$reservedMemory = null;
$handlers = [];
$previousHandler = null;
$sameHandlerLimit = 10;
while (!\is_array($handler) || !$handler[0] instanceof self) {
$handler = set_exception_handler('var_dump');
restore_exception_handler();
if (!$handler) {
break;
}
restore_exception_handler();
if ($handler !== $previousHandler) {
array_unshift($handlers, $handler);
$previousHandler = $handler;
} elseif (0 === --$sameHandlerLimit) {
$handler = null;
break;
}
}
foreach ($handlers as $h) {
set_exception_handler($h);
}
if (!$handler) {
return;
}
if ($handler !== $h) {
$handler[0]->setExceptionHandler($h);
}
$handler = $handler[0];
$handlers = [];
if ($exit = null === $error) {
$error = error_get_last();
}
try {
while (self::$stackedErrorLevels) {
static::unstackErrors();
}
} catch (\Exception $exception) {
// Handled below
} catch (\Throwable $exception) {
// Handled below
}
if ($error && $error['type'] &= E_PARSE | E_ERROR | E_CORE_ERROR | E_COMPILE_ERROR) {
// Let's not throw anymore but keep logging
$handler->throwAt(0, true);
$trace = isset($error['backtrace']) ? $error['backtrace'] : null;
if (0 === strpos($error['message'], 'Allowed memory') || 0 === strpos($error['message'], 'Out of memory')) {
$exception = new OutOfMemoryException($handler->levels[$error['type']].': '.$error['message'], 0, $error['type'], $error['file'], $error['line'], 2, false, $trace);
} else {
$exception = new FatalErrorException($handler->levels[$error['type']].': '.$error['message'], 0, $error['type'], $error['file'], $error['line'], 2, true, $trace);
}
}
try {
if (isset($exception)) {
self::$exitCode = 255;
$handler->handleException($exception, $error);
}
} catch (FatalErrorException $e) {
// Ignore this re-throw
}
if ($exit && self::$exitCode) {
$exitCode = self::$exitCode;
register_shutdown_function('register_shutdown_function', function () use ($exitCode) { exit($exitCode); });
}
}
/**
* Configures the error handler for delayed handling.
* Ensures also that non-catchable fatal errors are never silenced.
*
* As shown by http://bugs.php.net/42098 and http://bugs.php.net/60724
* PHP has a compile stage where it behaves unusually. To workaround it,
* we plug an error handler that only stacks errors for later.
*
* The most important feature of this is to prevent
* autoloading until unstackErrors() is called.
*
* @deprecated since version 3.4, to be removed in 4.0.
*/
public static function stackErrors()
{
@trigger_error('Support for stacking errors is deprecated since Symfony 3.4 and will be removed in 4.0.', E_USER_DEPRECATED);
self::$stackedErrorLevels[] = error_reporting(error_reporting() | E_PARSE | E_ERROR | E_CORE_ERROR | E_COMPILE_ERROR);
}
/**
* Unstacks stacked errors and forwards to the logger.
*
* @deprecated since version 3.4, to be removed in 4.0.
*/
public static function unstackErrors()
{
@trigger_error('Support for unstacking errors is deprecated since Symfony 3.4 and will be removed in 4.0.', E_USER_DEPRECATED);
$level = array_pop(self::$stackedErrorLevels);
if (null !== $level) {
$errorReportingLevel = error_reporting($level);
if ($errorReportingLevel !== ($level | E_PARSE | E_ERROR | E_CORE_ERROR | E_COMPILE_ERROR)) {
// If the user changed the error level, do not overwrite it
error_reporting($errorReportingLevel);
}
}
if (empty(self::$stackedErrorLevels)) {
$errors = self::$stackedErrors;
self::$stackedErrors = [];
foreach ($errors as $error) {
$error[0]->log($error[1], $error[2], $error[3]);
}
}
}
/**
* Gets the fatal error handlers.
*
* Override this method if you want to define more fatal error handlers.
*
* @return FatalErrorHandlerInterface[] An array of FatalErrorHandlerInterface
*/
protected function getFatalErrorHandlers()
{
return [
new UndefinedFunctionFatalErrorHandler(),
new UndefinedMethodFatalErrorHandler(),
new ClassNotFoundFatalErrorHandler(),
];
}
private function cleanTrace($backtrace, $type, $file, $line, $throw)
{
$lightTrace = $backtrace;
for ($i = 0; isset($backtrace[$i]); ++$i) {
if (isset($backtrace[$i]['file'], $backtrace[$i]['line']) && $backtrace[$i]['line'] === $line && $backtrace[$i]['file'] === $file) {
$lightTrace = \array_slice($lightTrace, 1 + $i);
break;
}
}
if (!($throw || $this->scopedErrors & $type)) {
for ($i = 0; isset($lightTrace[$i]); ++$i) {
unset($lightTrace[$i]['args'], $lightTrace[$i]['object']);
}
}
return $lightTrace;
}
}
debug/ExceptionHandler.php 0000644 00000060467 14716422132 0011616 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug;
use Symfony\Component\Debug\Exception\FlattenException;
use Symfony\Component\Debug\Exception\OutOfMemoryException;
use Symfony\Component\HttpKernel\Debug\FileLinkFormatter;
/**
* ExceptionHandler converts an exception to a Response object.
*
* It is mostly useful in debug mode to replace the default PHP/XDebug
* output with something prettier and more useful.
*
* As this class is mainly used during Kernel boot, where nothing is yet
* available, the Response content is always HTML.
*
* @author Fabien Potencier
* @author Nicolas Grekas
*/
class ExceptionHandler
{
private $debug;
private $charset;
private $handler;
private $caughtBuffer;
private $caughtLength;
private $fileLinkFormat;
public function __construct($debug = true, $charset = null, $fileLinkFormat = null)
{
$this->debug = $debug;
$this->charset = $charset ?: ini_get('default_charset') ?: 'UTF-8';
$this->fileLinkFormat = $fileLinkFormat;
}
/**
* Registers the exception handler.
*
* @param bool $debug Enable/disable debug mode, where the stack trace is displayed
* @param string|null $charset The charset used by exception messages
* @param string|null $fileLinkFormat The IDE link template
*
* @return static
*/
public static function register($debug = true, $charset = null, $fileLinkFormat = null)
{
$handler = new static($debug, $charset, $fileLinkFormat);
$prev = set_exception_handler([$handler, 'handle']);
if (\is_array($prev) && $prev[0] instanceof ErrorHandler) {
restore_exception_handler();
$prev[0]->setExceptionHandler([$handler, 'handle']);
}
return $handler;
}
/**
* Sets a user exception handler.
*
* @param callable $handler An handler that will be called on Exception
*
* @return callable|null The previous exception handler if any
*/
public function setHandler(callable $handler = null)
{
$old = $this->handler;
$this->handler = $handler;
return $old;
}
/**
* Sets the format for links to source files.
*
* @param string|FileLinkFormatter $fileLinkFormat The format for links to source files
*
* @return string The previous file link format
*/
public function setFileLinkFormat($fileLinkFormat)
{
$old = $this->fileLinkFormat;
$this->fileLinkFormat = $fileLinkFormat;
return $old;
}
/**
* Sends a response for the given Exception.
*
* To be as fail-safe as possible, the exception is first handled
* by our simple exception handler, then by the user exception handler.
* The latter takes precedence and any output from the former is cancelled,
* if and only if nothing bad happens in this handling path.
*/
public function handle(\Exception $exception)
{
if (null === $this->handler || $exception instanceof OutOfMemoryException) {
$this->sendPhpResponse($exception);
return;
}
$caughtLength = $this->caughtLength = 0;
ob_start(function ($buffer) {
$this->caughtBuffer = $buffer;
return '';
});
$this->sendPhpResponse($exception);
while (null === $this->caughtBuffer && ob_end_flush()) {
// Empty loop, everything is in the condition
}
if (isset($this->caughtBuffer[0])) {
ob_start(function ($buffer) {
if ($this->caughtLength) {
// use substr_replace() instead of substr() for mbstring overloading resistance
$cleanBuffer = substr_replace($buffer, '', 0, $this->caughtLength);
if (isset($cleanBuffer[0])) {
$buffer = $cleanBuffer;
}
}
return $buffer;
});
echo $this->caughtBuffer;
$caughtLength = ob_get_length();
}
$this->caughtBuffer = null;
try {
\call_user_func($this->handler, $exception);
$this->caughtLength = $caughtLength;
} catch (\Exception $e) {
if (!$caughtLength) {
// All handlers failed. Let PHP handle that now.
throw $exception;
}
}
}
/**
* Sends the error associated with the given Exception as a plain PHP response.
*
* This method uses plain PHP functions like header() and echo to output
* the response.
*
* @param \Exception|FlattenException $exception An \Exception or FlattenException instance
*/
public function sendPhpResponse($exception)
{
if (!$exception instanceof FlattenException) {
$exception = FlattenException::create($exception);
}
if (!headers_sent()) {
header(sprintf('HTTP/1.0 %s', $exception->getStatusCode()));
foreach ($exception->getHeaders() as $name => $value) {
header($name.': '.$value, false);
}
header('Content-Type: text/html; charset='.$this->charset);
}
echo $this->decorate($this->getContent($exception), $this->getStylesheet($exception));
}
/**
* Gets the full HTML content associated with the given exception.
*
* @param \Exception|FlattenException $exception An \Exception or FlattenException instance
*
* @return string The HTML content as a string
*/
public function getHtml($exception)
{
if (!$exception instanceof FlattenException) {
$exception = FlattenException::create($exception);
}
return $this->decorate($this->getContent($exception), $this->getStylesheet($exception));
}
/**
* Gets the HTML content associated with the given exception.
*
* @return string The content as a string
*/
public function getContent(FlattenException $exception)
{
switch ($exception->getStatusCode()) {
case 404:
$title = 'Sorry, the page you are looking for could not be found.';
break;
default:
$title = 'Whoops, looks like something went wrong.';
}
if (!$this->debug) {
return <<
$title
EOF;
}
$content = '';
try {
$count = \count($exception->getAllPrevious());
$total = $count + 1;
foreach ($exception->toArray() as $position => $e) {
$ind = $count - $position + 1;
$class = $this->formatClass($e['class']);
$message = nl2br($this->escapeHtml($e['message']));
$content .= sprintf(<<<'EOF'
(%d/%d)
%s
%s
|
EOF
, $ind, $total, $class, $message);
foreach ($e['trace'] as $trace) {
$content .= '';
if ($trace['function']) {
$content .= sprintf('at %s%s%s(%s)', $this->formatClass($trace['class']), $trace['type'], $trace['function'], $this->formatArgs($trace['args']));
}
if (isset($trace['file']) && isset($trace['line'])) {
$content .= $this->formatPath($trace['file'], $trace['line']);
}
$content .= " |
\n";
}
$content .= "\n
\n
\n";
}
} catch (\Exception $e) {
// something nasty happened and we cannot throw an exception anymore
if ($this->debug) {
$title = sprintf('Exception thrown when handling an exception (%s: %s)', \get_class($e), $this->escapeHtml($e->getMessage()));
} else {
$title = 'Whoops, looks like something went wrong.';
}
}
$symfonyGhostImageContents = $this->getSymfonyGhostAsSvg();
return <<
$title
$symfonyGhostImageContents
$content
EOF;
}
/**
* Gets the stylesheet associated with the given exception.
*
* @return string The stylesheet as a string
*/
public function getStylesheet(FlattenException $exception)
{
if (!$this->debug) {
return <<<'EOF'
body { background-color: #fff; color: #222; font: 16px/1.5 -apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, "Helvetica Neue", Arial, sans-serif; margin: 0; }
.container { margin: 30px; max-width: 600px; }
h1 { color: #dc3545; font-size: 24px; }
EOF;
}
return <<<'EOF'
body { background-color: #F9F9F9; color: #222; font: 14px/1.4 Helvetica, Arial, sans-serif; margin: 0; padding-bottom: 45px; }
a { cursor: pointer; text-decoration: none; }
a:hover { text-decoration: underline; }
abbr[title] { border-bottom: none; cursor: help; text-decoration: none; }
code, pre { font: 13px/1.5 Consolas, Monaco, Menlo, "Ubuntu Mono", "Liberation Mono", monospace; }
table, tr, th, td { background: #FFF; border-collapse: collapse; vertical-align: top; }
table { background: #FFF; border: 1px solid #E0E0E0; box-shadow: 0px 0px 1px rgba(128, 128, 128, .2); margin: 1em 0; width: 100%; }
table th, table td { border: solid #E0E0E0; border-width: 1px 0; padding: 8px 10px; }
table th { background-color: #E0E0E0; font-weight: bold; text-align: left; }
.hidden-xs-down { display: none; }
.block { display: block; }
.break-long-words { -ms-word-break: break-all; word-break: break-all; word-break: break-word; -webkit-hyphens: auto; -moz-hyphens: auto; hyphens: auto; }
.text-muted { color: #999; }
.container { max-width: 1024px; margin: 0 auto; padding: 0 15px; }
.container::after { content: ""; display: table; clear: both; }
.exception-summary { background: #B0413E; border-bottom: 2px solid rgba(0, 0, 0, 0.1); border-top: 1px solid rgba(0, 0, 0, .3); flex: 0 0 auto; margin-bottom: 30px; }
.exception-message-wrapper { display: flex; align-items: center; min-height: 70px; }
.exception-message { flex-grow: 1; padding: 30px 0; }
.exception-message, .exception-message a { color: #FFF; font-size: 21px; font-weight: 400; margin: 0; }
.exception-message.long { font-size: 18px; }
.exception-message a { border-bottom: 1px solid rgba(255, 255, 255, 0.5); font-size: inherit; text-decoration: none; }
.exception-message a:hover { border-bottom-color: #ffffff; }
.exception-illustration { flex-basis: 111px; flex-shrink: 0; height: 66px; margin-left: 15px; opacity: .7; }
.trace + .trace { margin-top: 30px; }
.trace-head .trace-class { color: #222; font-size: 18px; font-weight: bold; line-height: 1.3; margin: 0; position: relative; }
.trace-message { font-size: 14px; font-weight: normal; margin: .5em 0 0; }
.trace-file-path, .trace-file-path a { color: #222; margin-top: 3px; font-size: 13px; }
.trace-class { color: #B0413E; }
.trace-type { padding: 0 2px; }
.trace-method { color: #B0413E; font-weight: bold; }
.trace-arguments { color: #777; font-weight: normal; padding-left: 2px; }
@media (min-width: 575px) {
.hidden-xs-down { display: initial; }
}
EOF;
}
private function decorate($content, $css)
{
return <<
$content
EOF;
}
private function formatClass($class)
{
$parts = explode('\\', $class);
return sprintf('%s', $class, array_pop($parts));
}
private function formatPath($path, $line)
{
$file = $this->escapeHtml(preg_match('#[^/\\\\]*+$#', $path, $file) ? $file[0] : $path);
$fmt = $this->fileLinkFormat ?: ini_get('xdebug.file_link_format') ?: get_cfg_var('xdebug.file_link_format');
if (!$fmt) {
return sprintf('in %s%s', $this->escapeHtml($path), $file, 0 < $line ? ' line '.$line : '');
}
if (\is_string($fmt)) {
$i = strpos($f = $fmt, '&', max(strrpos($f, '%f'), strrpos($f, '%l'))) ?: \strlen($f);
$fmt = [substr($f, 0, $i)] + preg_split('/&([^>]++)>/', substr($f, $i), -1, PREG_SPLIT_DELIM_CAPTURE);
for ($i = 1; isset($fmt[$i]); ++$i) {
if (0 === strpos($path, $k = $fmt[$i++])) {
$path = substr_replace($path, $fmt[$i], 0, \strlen($k));
break;
}
}
$link = strtr($fmt[0], ['%f' => $path, '%l' => $line]);
} else {
try {
$link = $fmt->format($path, $line);
} catch (\Exception $e) {
return sprintf('in %s%s', $this->escapeHtml($path), $file, 0 < $line ? ' line '.$line : '');
}
}
return sprintf('in %s%s', $this->escapeHtml($link), $file, 0 < $line ? ' line '.$line : '');
}
/**
* Formats an array as a string.
*
* @param array $args The argument array
*
* @return string
*/
private function formatArgs(array $args)
{
$result = [];
foreach ($args as $key => $item) {
if ('object' === $item[0]) {
$formattedValue = sprintf('object(%s)', $this->formatClass($item[1]));
} elseif ('array' === $item[0]) {
$formattedValue = sprintf('array(%s)', \is_array($item[1]) ? $this->formatArgs($item[1]) : $item[1]);
} elseif ('null' === $item[0]) {
$formattedValue = 'null';
} elseif ('boolean' === $item[0]) {
$formattedValue = ''.strtolower(var_export($item[1], true)).'';
} elseif ('resource' === $item[0]) {
$formattedValue = 'resource';
} else {
$formattedValue = str_replace("\n", '', $this->escapeHtml(var_export($item[1], true)));
}
$result[] = \is_int($key) ? $formattedValue : sprintf("'%s' => %s", $this->escapeHtml($key), $formattedValue);
}
return implode(', ', $result);
}
/**
* HTML-encodes a string.
*/
private function escapeHtml($str)
{
return htmlspecialchars($str, ENT_COMPAT | ENT_SUBSTITUTE, $this->charset);
}
private function getSymfonyGhostAsSvg()
{
return '';
}
}
debug/.gitignore 0000644 00000000042 14716422132 0007620 0 ustar 00 vendor/
composer.lock
phpunit.xml
debug/Resources/ext/symfony_debug.c 0000644 00000015205 14716422132 0013427 0 ustar 00 /*
* This file is part of the Symfony package.
*
* (c) Fabien Potencier
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
#ifdef HAVE_CONFIG_H
#include "config.h"
#endif
#include "php.h"
#ifdef ZTS
#include "TSRM.h"
#endif
#include "php_ini.h"
#include "ext/standard/info.h"
#include "php_symfony_debug.h"
#include "ext/standard/php_rand.h"
#include "ext/standard/php_lcg.h"
#include "ext/spl/php_spl.h"
#include "Zend/zend_gc.h"
#include "Zend/zend_builtin_functions.h"
#include "Zend/zend_extensions.h" /* for ZEND_EXTENSION_API_NO */
#include "ext/standard/php_array.h"
#include "Zend/zend_interfaces.h"
#include "SAPI.h"
#define IS_PHP_53 ZEND_EXTENSION_API_NO == 220090626
ZEND_DECLARE_MODULE_GLOBALS(symfony_debug)
ZEND_BEGIN_ARG_INFO_EX(symfony_zval_arginfo, 0, 0, 2)
ZEND_ARG_INFO(0, key)
ZEND_ARG_ARRAY_INFO(0, array, 0)
ZEND_ARG_INFO(0, options)
ZEND_END_ARG_INFO()
const zend_function_entry symfony_debug_functions[] = {
PHP_FE(symfony_zval_info, symfony_zval_arginfo)
PHP_FE(symfony_debug_backtrace, NULL)
PHP_FE_END
};
PHP_FUNCTION(symfony_debug_backtrace)
{
if (zend_parse_parameters_none() == FAILURE) {
return;
}
#if IS_PHP_53
zend_fetch_debug_backtrace(return_value, 1, 0 TSRMLS_CC);
#else
zend_fetch_debug_backtrace(return_value, 1, 0, 0 TSRMLS_CC);
#endif
if (!SYMFONY_DEBUG_G(debug_bt)) {
return;
}
php_array_merge(Z_ARRVAL_P(return_value), Z_ARRVAL_P(SYMFONY_DEBUG_G(debug_bt)), 0 TSRMLS_CC);
}
PHP_FUNCTION(symfony_zval_info)
{
zval *key = NULL, *arg = NULL;
zval **data = NULL;
HashTable *array = NULL;
long options = 0;
if (zend_parse_parameters(ZEND_NUM_ARGS() TSRMLS_CC, "zh|l", &key, &array, &options) == FAILURE) {
return;
}
switch (Z_TYPE_P(key)) {
case IS_STRING:
if (zend_symtable_find(array, Z_STRVAL_P(key), Z_STRLEN_P(key) + 1, (void **)&data) == FAILURE) {
return;
}
break;
case IS_LONG:
if (zend_hash_index_find(array, Z_LVAL_P(key), (void **)&data)) {
return;
}
break;
}
arg = *data;
array_init(return_value);
add_assoc_string(return_value, "type", (char *)_symfony_debug_zval_type(arg), 1);
add_assoc_stringl(return_value, "zval_hash", _symfony_debug_memory_address_hash((void *)arg TSRMLS_CC), 16, 0);
add_assoc_long(return_value, "zval_refcount", Z_REFCOUNT_P(arg));
add_assoc_bool(return_value, "zval_isref", (zend_bool)Z_ISREF_P(arg));
if (Z_TYPE_P(arg) == IS_OBJECT) {
char hash[33] = {0};
php_spl_object_hash(arg, (char *)hash TSRMLS_CC);
add_assoc_stringl(return_value, "object_class", (char *)Z_OBJCE_P(arg)->name, Z_OBJCE_P(arg)->name_length, 1);
add_assoc_long(return_value, "object_refcount", EG(objects_store).object_buckets[Z_OBJ_HANDLE_P(arg)].bucket.obj.refcount);
add_assoc_string(return_value, "object_hash", hash, 1);
add_assoc_long(return_value, "object_handle", Z_OBJ_HANDLE_P(arg));
} else if (Z_TYPE_P(arg) == IS_ARRAY) {
add_assoc_long(return_value, "array_count", zend_hash_num_elements(Z_ARRVAL_P(arg)));
} else if(Z_TYPE_P(arg) == IS_RESOURCE) {
add_assoc_long(return_value, "resource_handle", Z_LVAL_P(arg));
add_assoc_string(return_value, "resource_type", (char *)_symfony_debug_get_resource_type(Z_LVAL_P(arg) TSRMLS_CC), 1);
add_assoc_long(return_value, "resource_refcount", _symfony_debug_get_resource_refcount(Z_LVAL_P(arg) TSRMLS_CC));
} else if (Z_TYPE_P(arg) == IS_STRING) {
add_assoc_long(return_value, "strlen", Z_STRLEN_P(arg));
}
}
void symfony_debug_error_cb(int type, const char *error_filename, const uint error_lineno, const char *format, va_list args)
{
TSRMLS_FETCH();
zval *retval;
switch (type) {
case E_ERROR:
case E_PARSE:
case E_CORE_ERROR:
case E_CORE_WARNING:
case E_COMPILE_ERROR:
case E_COMPILE_WARNING:
ALLOC_INIT_ZVAL(retval);
#if IS_PHP_53
zend_fetch_debug_backtrace(retval, 1, 0 TSRMLS_CC);
#else
zend_fetch_debug_backtrace(retval, 1, 0, 0 TSRMLS_CC);
#endif
SYMFONY_DEBUG_G(debug_bt) = retval;
}
SYMFONY_DEBUG_G(old_error_cb)(type, error_filename, error_lineno, format, args);
}
static const char* _symfony_debug_get_resource_type(long rsid TSRMLS_DC)
{
const char *res_type;
res_type = zend_rsrc_list_get_rsrc_type(rsid TSRMLS_CC);
if (!res_type) {
return "Unknown";
}
return res_type;
}
static int _symfony_debug_get_resource_refcount(long rsid TSRMLS_DC)
{
zend_rsrc_list_entry *le;
if (zend_hash_index_find(&EG(regular_list), rsid, (void **) &le)==SUCCESS) {
return le->refcount;
}
return 0;
}
static char *_symfony_debug_memory_address_hash(void *address TSRMLS_DC)
{
char *result = NULL;
intptr_t address_rand;
if (!SYMFONY_DEBUG_G(req_rand_init)) {
if (!BG(mt_rand_is_seeded)) {
php_mt_srand(GENERATE_SEED() TSRMLS_CC);
}
SYMFONY_DEBUG_G(req_rand_init) = (intptr_t)php_mt_rand(TSRMLS_C);
}
address_rand = (intptr_t)address ^ SYMFONY_DEBUG_G(req_rand_init);
spprintf(&result, 17, "%016zx", address_rand);
return result;
}
static const char *_symfony_debug_zval_type(zval *zv)
{
switch (Z_TYPE_P(zv)) {
case IS_NULL:
return "NULL";
break;
case IS_BOOL:
return "boolean";
break;
case IS_LONG:
return "integer";
break;
case IS_DOUBLE:
return "double";
break;
case IS_STRING:
return "string";
break;
case IS_ARRAY:
return "array";
break;
case IS_OBJECT:
return "object";
case IS_RESOURCE:
return "resource";
default:
return "unknown type";
}
}
zend_module_entry symfony_debug_module_entry = {
STANDARD_MODULE_HEADER,
"symfony_debug",
symfony_debug_functions,
PHP_MINIT(symfony_debug),
PHP_MSHUTDOWN(symfony_debug),
PHP_RINIT(symfony_debug),
PHP_RSHUTDOWN(symfony_debug),
PHP_MINFO(symfony_debug),
PHP_SYMFONY_DEBUG_VERSION,
PHP_MODULE_GLOBALS(symfony_debug),
PHP_GINIT(symfony_debug),
PHP_GSHUTDOWN(symfony_debug),
NULL,
STANDARD_MODULE_PROPERTIES_EX
};
#ifdef COMPILE_DL_SYMFONY_DEBUG
ZEND_GET_MODULE(symfony_debug)
#endif
PHP_GINIT_FUNCTION(symfony_debug)
{
memset(symfony_debug_globals, 0 , sizeof(*symfony_debug_globals));
}
PHP_GSHUTDOWN_FUNCTION(symfony_debug)
{
}
PHP_MINIT_FUNCTION(symfony_debug)
{
SYMFONY_DEBUG_G(old_error_cb) = zend_error_cb;
zend_error_cb = symfony_debug_error_cb;
return SUCCESS;
}
PHP_MSHUTDOWN_FUNCTION(symfony_debug)
{
zend_error_cb = SYMFONY_DEBUG_G(old_error_cb);
return SUCCESS;
}
PHP_RINIT_FUNCTION(symfony_debug)
{
return SUCCESS;
}
PHP_RSHUTDOWN_FUNCTION(symfony_debug)
{
return SUCCESS;
}
PHP_MINFO_FUNCTION(symfony_debug)
{
php_info_print_table_start();
php_info_print_table_header(2, "Symfony Debug support", "enabled");
php_info_print_table_header(2, "Symfony Debug version", PHP_SYMFONY_DEBUG_VERSION);
php_info_print_table_end();
}
debug/Resources/ext/config.w32 0000644 00000000531 14716422132 0012207 0 ustar 00 // $Id$
// vim:ft=javascript
// If your extension references something external, use ARG_WITH
// ARG_WITH("symfony_debug", "for symfony_debug support", "no");
// Otherwise, use ARG_ENABLE
// ARG_ENABLE("symfony_debug", "enable symfony_debug support", "no");
if (PHP_SYMFONY_DEBUG != "no") {
EXTENSION("symfony_debug", "symfony_debug.c");
}
debug/Resources/ext/config.m4 0000644 00000004312 14716422132 0012115 0 ustar 00 dnl $Id$
dnl config.m4 for extension symfony_debug
dnl Comments in this file start with the string 'dnl'.
dnl Remove where necessary. This file will not work
dnl without editing.
dnl If your extension references something external, use with:
dnl PHP_ARG_WITH(symfony_debug, for symfony_debug support,
dnl Make sure that the comment is aligned:
dnl [ --with-symfony_debug Include symfony_debug support])
dnl Otherwise use enable:
PHP_ARG_ENABLE(symfony_debug, whether to enable symfony_debug support,
dnl Make sure that the comment is aligned:
[ --enable-symfony_debug Enable symfony_debug support])
if test "$PHP_SYMFONY_DEBUG" != "no"; then
dnl Write more examples of tests here...
dnl # --with-symfony_debug -> check with-path
dnl SEARCH_PATH="/usr/local /usr" # you might want to change this
dnl SEARCH_FOR="/include/symfony_debug.h" # you most likely want to change this
dnl if test -r $PHP_SYMFONY_DEBUG/$SEARCH_FOR; then # path given as parameter
dnl SYMFONY_DEBUG_DIR=$PHP_SYMFONY_DEBUG
dnl else # search default path list
dnl AC_MSG_CHECKING([for symfony_debug files in default path])
dnl for i in $SEARCH_PATH ; do
dnl if test -r $i/$SEARCH_FOR; then
dnl SYMFONY_DEBUG_DIR=$i
dnl AC_MSG_RESULT(found in $i)
dnl fi
dnl done
dnl fi
dnl
dnl if test -z "$SYMFONY_DEBUG_DIR"; then
dnl AC_MSG_RESULT([not found])
dnl AC_MSG_ERROR([Please reinstall the symfony_debug distribution])
dnl fi
dnl # --with-symfony_debug -> add include path
dnl PHP_ADD_INCLUDE($SYMFONY_DEBUG_DIR/include)
dnl # --with-symfony_debug -> check for lib and symbol presence
dnl LIBNAME=symfony_debug # you may want to change this
dnl LIBSYMBOL=symfony_debug # you most likely want to change this
dnl PHP_CHECK_LIBRARY($LIBNAME,$LIBSYMBOL,
dnl [
dnl PHP_ADD_LIBRARY_WITH_PATH($LIBNAME, $SYMFONY_DEBUG_DIR/lib, SYMFONY_DEBUG_SHARED_LIBADD)
dnl AC_DEFINE(HAVE_SYMFONY_DEBUGLIB,1,[ ])
dnl ],[
dnl AC_MSG_ERROR([wrong symfony_debug lib version or lib not found])
dnl ],[
dnl -L$SYMFONY_DEBUG_DIR/lib -lm
dnl ])
dnl
dnl PHP_SUBST(SYMFONY_DEBUG_SHARED_LIBADD)
PHP_NEW_EXTENSION(symfony_debug, symfony_debug.c, $ext_shared)
fi
debug/Resources/ext/php_symfony_debug.h 0000644 00000003513 14716422132 0014302 0 ustar 00 /*
* This file is part of the Symfony package.
*
* (c) Fabien Potencier
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
#ifndef PHP_SYMFONY_DEBUG_H
#define PHP_SYMFONY_DEBUG_H
extern zend_module_entry symfony_debug_module_entry;
#define phpext_symfony_debug_ptr &symfony_debug_module_entry
#define PHP_SYMFONY_DEBUG_VERSION "2.7"
#ifdef PHP_WIN32
# define PHP_SYMFONY_DEBUG_API __declspec(dllexport)
#elif defined(__GNUC__) && __GNUC__ >= 4
# define PHP_SYMFONY_DEBUG_API __attribute__ ((visibility("default")))
#else
# define PHP_SYMFONY_DEBUG_API
#endif
#ifdef ZTS
#include "TSRM.h"
#endif
ZEND_BEGIN_MODULE_GLOBALS(symfony_debug)
intptr_t req_rand_init;
void (*old_error_cb)(int type, const char *error_filename, const uint error_lineno, const char *format, va_list args);
zval *debug_bt;
ZEND_END_MODULE_GLOBALS(symfony_debug)
PHP_MINIT_FUNCTION(symfony_debug);
PHP_MSHUTDOWN_FUNCTION(symfony_debug);
PHP_RINIT_FUNCTION(symfony_debug);
PHP_RSHUTDOWN_FUNCTION(symfony_debug);
PHP_MINFO_FUNCTION(symfony_debug);
PHP_GINIT_FUNCTION(symfony_debug);
PHP_GSHUTDOWN_FUNCTION(symfony_debug);
PHP_FUNCTION(symfony_zval_info);
PHP_FUNCTION(symfony_debug_backtrace);
static char *_symfony_debug_memory_address_hash(void * TSRMLS_DC);
static const char *_symfony_debug_zval_type(zval *);
static const char* _symfony_debug_get_resource_type(long TSRMLS_DC);
static int _symfony_debug_get_resource_refcount(long TSRMLS_DC);
void symfony_debug_error_cb(int type, const char *error_filename, const uint error_lineno, const char *format, va_list args);
#ifdef ZTS
#define SYMFONY_DEBUG_G(v) TSRMG(symfony_debug_globals_id, zend_symfony_debug_globals *, v)
#else
#define SYMFONY_DEBUG_G(v) (symfony_debug_globals.v)
#endif
#endif /* PHP_SYMFONY_DEBUG_H */
debug/Exception/FlattenException.php 0000644 00000015666 14716422132 0013575 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Exception;
use Symfony\Component\HttpFoundation\Exception\RequestExceptionInterface;
use Symfony\Component\HttpKernel\Exception\HttpExceptionInterface;
/**
* FlattenException wraps a PHP Exception to be able to serialize it.
*
* Basically, this class removes all objects from the trace.
*
* @author Fabien Potencier
*/
class FlattenException
{
private $message;
private $code;
private $previous;
private $trace;
private $class;
private $statusCode;
private $headers;
private $file;
private $line;
public static function create(\Exception $exception, $statusCode = null, array $headers = [])
{
$e = new static();
$e->setMessage($exception->getMessage());
$e->setCode($exception->getCode());
if ($exception instanceof HttpExceptionInterface) {
$statusCode = $exception->getStatusCode();
$headers = array_merge($headers, $exception->getHeaders());
} elseif ($exception instanceof RequestExceptionInterface) {
$statusCode = 400;
}
if (null === $statusCode) {
$statusCode = 500;
}
$e->setStatusCode($statusCode);
$e->setHeaders($headers);
$e->setTraceFromException($exception);
$e->setClass(\get_class($exception));
$e->setFile($exception->getFile());
$e->setLine($exception->getLine());
$previous = $exception->getPrevious();
if ($previous instanceof \Exception) {
$e->setPrevious(static::create($previous));
} elseif ($previous instanceof \Throwable) {
$e->setPrevious(static::create(new FatalThrowableError($previous)));
}
return $e;
}
public function toArray()
{
$exceptions = [];
foreach (array_merge([$this], $this->getAllPrevious()) as $exception) {
$exceptions[] = [
'message' => $exception->getMessage(),
'class' => $exception->getClass(),
'trace' => $exception->getTrace(),
];
}
return $exceptions;
}
public function getStatusCode()
{
return $this->statusCode;
}
public function setStatusCode($code)
{
$this->statusCode = $code;
}
public function getHeaders()
{
return $this->headers;
}
public function setHeaders(array $headers)
{
$this->headers = $headers;
}
public function getClass()
{
return $this->class;
}
public function setClass($class)
{
$this->class = $class;
}
public function getFile()
{
return $this->file;
}
public function setFile($file)
{
$this->file = $file;
}
public function getLine()
{
return $this->line;
}
public function setLine($line)
{
$this->line = $line;
}
public function getMessage()
{
return $this->message;
}
public function setMessage($message)
{
$this->message = $message;
}
public function getCode()
{
return $this->code;
}
public function setCode($code)
{
$this->code = $code;
}
public function getPrevious()
{
return $this->previous;
}
public function setPrevious(self $previous)
{
$this->previous = $previous;
}
public function getAllPrevious()
{
$exceptions = [];
$e = $this;
while ($e = $e->getPrevious()) {
$exceptions[] = $e;
}
return $exceptions;
}
public function getTrace()
{
return $this->trace;
}
public function setTraceFromException(\Exception $exception)
{
$this->setTrace($exception->getTrace(), $exception->getFile(), $exception->getLine());
}
public function setTrace($trace, $file, $line)
{
$this->trace = [];
$this->trace[] = [
'namespace' => '',
'short_class' => '',
'class' => '',
'type' => '',
'function' => '',
'file' => $file,
'line' => $line,
'args' => [],
];
foreach ($trace as $entry) {
$class = '';
$namespace = '';
if (isset($entry['class'])) {
$parts = explode('\\', $entry['class']);
$class = array_pop($parts);
$namespace = implode('\\', $parts);
}
$this->trace[] = [
'namespace' => $namespace,
'short_class' => $class,
'class' => isset($entry['class']) ? $entry['class'] : '',
'type' => isset($entry['type']) ? $entry['type'] : '',
'function' => isset($entry['function']) ? $entry['function'] : null,
'file' => isset($entry['file']) ? $entry['file'] : null,
'line' => isset($entry['line']) ? $entry['line'] : null,
'args' => isset($entry['args']) ? $this->flattenArgs($entry['args']) : [],
];
}
}
private function flattenArgs($args, $level = 0, &$count = 0)
{
$result = [];
foreach ($args as $key => $value) {
if (++$count > 1e4) {
return ['array', '*SKIPPED over 10000 entries*'];
}
if ($value instanceof \__PHP_Incomplete_Class) {
// is_object() returns false on PHP<=7.1
$result[$key] = ['incomplete-object', $this->getClassNameFromIncomplete($value)];
} elseif (\is_object($value)) {
$result[$key] = ['object', \get_class($value)];
} elseif (\is_array($value)) {
if ($level > 10) {
$result[$key] = ['array', '*DEEP NESTED ARRAY*'];
} else {
$result[$key] = ['array', $this->flattenArgs($value, $level + 1, $count)];
}
} elseif (null === $value) {
$result[$key] = ['null', null];
} elseif (\is_bool($value)) {
$result[$key] = ['boolean', $value];
} elseif (\is_int($value)) {
$result[$key] = ['integer', $value];
} elseif (\is_float($value)) {
$result[$key] = ['float', $value];
} elseif (\is_resource($value)) {
$result[$key] = ['resource', get_resource_type($value)];
} else {
$result[$key] = ['string', (string) $value];
}
}
return $result;
}
private function getClassNameFromIncomplete(\__PHP_Incomplete_Class $value)
{
$array = new \ArrayObject($value);
return $array['__PHP_Incomplete_Class_Name'];
}
}
debug/Exception/ClassNotFoundException.php 0000644 00000001562 14716422132 0014710 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Exception;
/**
* Class (or Trait or Interface) Not Found Exception.
*
* @author Konstanton Myakshin
*/
class ClassNotFoundException extends FatalErrorException
{
public function __construct($message, \ErrorException $previous)
{
parent::__construct(
$message,
$previous->getCode(),
$previous->getSeverity(),
$previous->getFile(),
$previous->getLine(),
null,
true,
null,
$previous->getPrevious()
);
$this->setTrace($previous->getTrace());
}
}
debug/Exception/error_log; 0000644 00000202631 14716422132 0011606 0 ustar 00 [17-Sep-2023 19:18:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[18-Sep-2023 12:32:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[20-Sep-2023 22:05:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[29-Sep-2023 11:57:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[29-Sep-2023 12:43:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[29-Sep-2023 12:43:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[29-Sep-2023 12:43:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[29-Sep-2023 12:43:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[29-Sep-2023 12:43:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[29-Sep-2023 16:05:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[29-Sep-2023 16:05:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[29-Sep-2023 16:05:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[29-Sep-2023 16:05:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[29-Sep-2023 16:05:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[30-Sep-2023 17:58:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[30-Sep-2023 17:58:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[30-Sep-2023 17:58:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[30-Sep-2023 17:58:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[30-Sep-2023 17:58:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[30-Sep-2023 19:26:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[30-Sep-2023 19:26:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[30-Sep-2023 19:26:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[30-Sep-2023 19:26:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[30-Sep-2023 19:26:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[19-Nov-2023 16:26:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[21-Nov-2023 09:22:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[21-Nov-2023 09:22:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[21-Nov-2023 09:22:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[21-Nov-2023 09:22:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[21-Nov-2023 09:22:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[22-Nov-2023 08:03:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[22-Nov-2023 08:03:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[22-Nov-2023 08:03:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[22-Nov-2023 08:03:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[22-Nov-2023 08:03:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[22-Nov-2023 16:46:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[22-Nov-2023 16:46:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[22-Nov-2023 16:46:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[22-Nov-2023 16:46:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[22-Nov-2023 16:46:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[22-Nov-2023 19:55:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[22-Nov-2023 19:55:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[22-Nov-2023 19:55:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[22-Nov-2023 19:55:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[22-Nov-2023 19:55:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[27-Nov-2023 23:56:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[02-Dec-2023 00:11:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[06-Dec-2023 04:26:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[31-Dec-2023 17:27:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[01-Jan-2024 04:16:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[01-Jan-2024 04:18:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[13-Jan-2024 22:07:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[14-Jan-2024 16:41:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[16-Jan-2024 08:57:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[16-Jan-2024 08:58:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[18-Jan-2024 02:34:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[25-Jan-2024 18:26:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[25-Jan-2024 18:52:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[17-Feb-2024 19:32:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[19-Feb-2024 03:59:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[19-Feb-2024 06:21:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[19-Feb-2024 12:17:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[19-Feb-2024 15:09:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[19-Feb-2024 18:37:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[05-Mar-2024 17:09:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[10-Mar-2024 13:46:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[10-Mar-2024 14:54:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[17-Mar-2024 14:04:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[07-Apr-2024 09:41:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[08-Apr-2024 02:14:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[08-Apr-2024 04:57:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[11-Apr-2024 21:31:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[12-Apr-2024 01:48:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[22-Apr-2024 15:46:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[24-Apr-2024 00:46:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[24-Apr-2024 11:29:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[24-Apr-2024 13:50:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[25-Apr-2024 14:24:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[26-Apr-2024 21:56:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[02-May-2024 09:18:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[04-May-2024 22:01:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[04-May-2024 22:01:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[04-May-2024 22:01:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[04-May-2024 22:01:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[04-May-2024 22:01:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[05-May-2024 03:45:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[05-May-2024 06:18:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[05-May-2024 07:25:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[05-May-2024 07:31:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[05-May-2024 07:57:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[05-May-2024 07:57:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[05-May-2024 07:57:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[05-May-2024 07:58:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[05-May-2024 07:58:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[05-May-2024 18:09:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[05-May-2024 18:09:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[05-May-2024 18:09:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[05-May-2024 18:09:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[05-May-2024 18:09:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[08-May-2024 18:52:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[09-May-2024 09:11:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[10-May-2024 18:49:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[14-May-2024 07:50:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[14-May-2024 12:21:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[14-May-2024 12:21:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[14-May-2024 12:21:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[14-May-2024 12:21:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[14-May-2024 12:21:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[18-May-2024 21:57:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[28-May-2024 13:30:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[30-May-2024 16:27:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[31-May-2024 02:57:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[31-May-2024 13:10:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[01-Jun-2024 13:05:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[04-Jun-2024 00:44:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[04-Jun-2024 01:53:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[14-Jun-2024 15:49:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[14-Jun-2024 15:50:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[14-Jun-2024 15:50:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[14-Jun-2024 15:50:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[14-Jun-2024 15:50:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[15-Jun-2024 13:37:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[15-Jun-2024 21:25:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[15-Jun-2024 21:51:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[15-Jun-2024 22:42:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[17-Jun-2024 18:53:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[18-Jun-2024 11:25:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[18-Jun-2024 19:39:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[18-Jun-2024 19:39:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[18-Jun-2024 19:39:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[18-Jun-2024 19:39:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[18-Jun-2024 19:39:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[19-Jun-2024 04:40:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[19-Jun-2024 04:40:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[19-Jun-2024 04:40:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[19-Jun-2024 04:40:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[19-Jun-2024 04:41:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[19-Jun-2024 16:03:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[19-Jun-2024 16:03:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[19-Jun-2024 16:03:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[19-Jun-2024 16:03:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[19-Jun-2024 16:04:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[20-Jun-2024 10:38:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[22-Jun-2024 07:43:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[02-Jul-2024 09:05:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[03-Jul-2024 23:08:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[06-Jul-2024 07:40:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[07-Jul-2024 05:06:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[07-Jul-2024 06:27:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[07-Jul-2024 08:05:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[07-Jul-2024 09:22:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[07-Jul-2024 17:25:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[07-Jul-2024 19:14:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[08-Jul-2024 08:17:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[08-Jul-2024 14:39:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[10-Jul-2024 01:52:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[10-Jul-2024 02:32:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[12-Jul-2024 23:35:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[14-Jul-2024 05:55:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[16-Jul-2024 04:29:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[18-Jul-2024 20:12:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[22-Jul-2024 11:51:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[22-Jul-2024 15:14:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[22-Jul-2024 15:15:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[22-Jul-2024 16:34:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[22-Jul-2024 16:34:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[22-Jul-2024 16:34:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[22-Jul-2024 16:34:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[22-Jul-2024 16:35:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[23-Jul-2024 07:59:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[23-Jul-2024 17:09:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[23-Jul-2024 18:02:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[25-Jul-2024 21:01:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[26-Jul-2024 16:53:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[28-Jul-2024 13:06:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[29-Jul-2024 19:38:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[04-Aug-2024 10:17:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[07-Aug-2024 09:54:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[07-Aug-2024 10:16:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[07-Aug-2024 10:16:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[09-Aug-2024 06:55:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[09-Aug-2024 12:58:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[09-Aug-2024 21:25:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[10-Aug-2024 05:47:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[12-Aug-2024 11:47:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[13-Aug-2024 23:07:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[14-Aug-2024 02:50:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[17-Aug-2024 00:34:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[17-Aug-2024 04:32:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[17-Aug-2024 15:42:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[17-Aug-2024 18:15:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[18-Aug-2024 08:59:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[18-Aug-2024 09:20:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[18-Aug-2024 11:24:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[18-Aug-2024 11:24:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[18-Aug-2024 11:24:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[18-Aug-2024 12:00:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[19-Aug-2024 04:12:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[23-Aug-2024 11:55:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[23-Aug-2024 19:23:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[30-Aug-2024 02:17:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[30-Aug-2024 04:42:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[30-Aug-2024 05:56:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[30-Aug-2024 13:58:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[30-Aug-2024 13:59:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[30-Aug-2024 13:59:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[30-Aug-2024 13:59:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[30-Aug-2024 13:59:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[30-Aug-2024 14:00:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[30-Aug-2024 14:01:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[30-Aug-2024 14:01:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[30-Aug-2024 14:01:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[30-Aug-2024 14:01:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[01-Sep-2024 20:12:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[01-Sep-2024 20:12:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[01-Sep-2024 20:12:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[01-Sep-2024 20:12:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[01-Sep-2024 20:12:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[02-Sep-2024 19:07:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[03-Sep-2024 18:58:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[04-Sep-2024 16:25:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[04-Sep-2024 16:44:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[04-Sep-2024 19:50:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[05-Sep-2024 02:10:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[08-Sep-2024 13:33:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[11-Sep-2024 20:06:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[11-Sep-2024 20:06:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[11-Sep-2024 20:06:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[11-Sep-2024 20:06:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[11-Sep-2024 20:06:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[13-Sep-2024 12:42:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[15-Sep-2024 13:06:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[16-Sep-2024 02:03:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[18-Sep-2024 22:09:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[20-Sep-2024 14:55:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[20-Sep-2024 19:21:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[20-Sep-2024 23:06:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[21-Sep-2024 02:33:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[21-Sep-2024 04:10:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[25-Sep-2024 05:50:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[01-Oct-2024 16:18:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[01-Oct-2024 16:19:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[01-Oct-2024 17:58:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[01-Oct-2024 17:58:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[02-Oct-2024 10:06:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[02-Oct-2024 13:12:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[02-Oct-2024 17:37:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[07-Oct-2024 04:13:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[18-Oct-2024 06:39:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[18-Oct-2024 12:22:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[18-Oct-2024 12:28:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[18-Oct-2024 12:30:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[18-Oct-2024 12:31:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[22-Oct-2024 18:34:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[23-Oct-2024 16:18:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[23-Oct-2024 17:03:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[23-Oct-2024 18:54:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[24-Oct-2024 11:32:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[28-Oct-2024 11:41:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[28-Oct-2024 13:33:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[28-Oct-2024 17:26:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[29-Oct-2024 01:25:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[29-Oct-2024 01:25:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[29-Oct-2024 01:25:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[29-Oct-2024 01:26:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[29-Oct-2024 01:26:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[01-Nov-2024 05:53:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[04-Nov-2024 08:28:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[04-Nov-2024 09:11:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[04-Nov-2024 17:35:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[06-Nov-2024 12:07:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[06-Nov-2024 12:07:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[06-Nov-2024 12:07:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[06-Nov-2024 12:07:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[06-Nov-2024 12:07:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
[11-Nov-2024 18:09:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/ClassNotFoundException.php on line 19
[11-Nov-2024 18:09:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/OutOfMemoryException.php on line 19
[11-Nov-2024 18:09:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/FatalThrowableError.php on line 19
[11-Nov-2024 18:10:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedMethodException.php on line 19
[11-Nov-2024 18:10:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Debug\Exception\FatalErrorException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/debug/Exception/UndefinedFunctionException.php on line 19
debug/Exception/SilencedErrorContext.php 0000644 00000002536 14716422132 0014416 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Exception;
/**
* Data Object that represents a Silenced Error.
*
* @author Grégoire Pineau
*/
class SilencedErrorContext implements \JsonSerializable
{
public $count = 1;
private $severity;
private $file;
private $line;
private $trace;
public function __construct($severity, $file, $line, array $trace = [], $count = 1)
{
$this->severity = $severity;
$this->file = $file;
$this->line = $line;
$this->trace = $trace;
$this->count = $count;
}
public function getSeverity()
{
return $this->severity;
}
public function getFile()
{
return $this->file;
}
public function getLine()
{
return $this->line;
}
public function getTrace()
{
return $this->trace;
}
public function jsonSerialize()
{
return [
'severity' => $this->severity,
'file' => $this->file,
'line' => $this->line,
'trace' => $this->trace,
'count' => $this->count,
];
}
}
debug/Exception/FatalErrorException.php 0000644 00000005462 14716422132 0014232 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Exception;
/**
* Fatal Error Exception.
*
* @author Konstanton Myakshin
*/
class FatalErrorException extends \ErrorException
{
public function __construct($message, $code, $severity, $filename, $lineno, $traceOffset = null, $traceArgs = true, array $trace = null, $previous = null)
{
parent::__construct($message, $code, $severity, $filename, $lineno, $previous);
if (null !== $trace) {
if (!$traceArgs) {
foreach ($trace as &$frame) {
unset($frame['args'], $frame['this'], $frame);
}
}
$this->setTrace($trace);
} elseif (null !== $traceOffset) {
if (\function_exists('xdebug_get_function_stack')) {
$trace = xdebug_get_function_stack();
if (0 < $traceOffset) {
array_splice($trace, -$traceOffset);
}
foreach ($trace as &$frame) {
if (!isset($frame['type'])) {
// XDebug pre 2.1.1 doesn't currently set the call type key http://bugs.xdebug.org/view.php?id=695
if (isset($frame['class'])) {
$frame['type'] = '::';
}
} elseif ('dynamic' === $frame['type']) {
$frame['type'] = '->';
} elseif ('static' === $frame['type']) {
$frame['type'] = '::';
}
// XDebug also has a different name for the parameters array
if (!$traceArgs) {
unset($frame['params'], $frame['args']);
} elseif (isset($frame['params']) && !isset($frame['args'])) {
$frame['args'] = $frame['params'];
unset($frame['params']);
}
}
unset($frame);
$trace = array_reverse($trace);
} elseif (\function_exists('symfony_debug_backtrace')) {
$trace = symfony_debug_backtrace();
if (0 < $traceOffset) {
array_splice($trace, 0, $traceOffset);
}
} else {
$trace = [];
}
$this->setTrace($trace);
}
}
protected function setTrace($trace)
{
$traceReflector = new \ReflectionProperty('Exception', 'trace');
$traceReflector->setAccessible(true);
$traceReflector->setValue($this, $trace);
}
}
debug/Exception/UndefinedFunctionException.php 0000644 00000001541 14716422132 0015572 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Exception;
/**
* Undefined Function Exception.
*
* @author Konstanton Myakshin
*/
class UndefinedFunctionException extends FatalErrorException
{
public function __construct($message, \ErrorException $previous)
{
parent::__construct(
$message,
$previous->getCode(),
$previous->getSeverity(),
$previous->getFile(),
$previous->getLine(),
null,
true,
null,
$previous->getPrevious()
);
$this->setTrace($previous->getTrace());
}
}
debug/Exception/UndefinedMethodException.php 0000644 00000001534 14716422132 0015227 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Exception;
/**
* Undefined Method Exception.
*
* @author Grégoire Pineau
*/
class UndefinedMethodException extends FatalErrorException
{
public function __construct($message, \ErrorException $previous)
{
parent::__construct(
$message,
$previous->getCode(),
$previous->getSeverity(),
$previous->getFile(),
$previous->getLine(),
null,
true,
null,
$previous->getPrevious()
);
$this->setTrace($previous->getTrace());
}
}
debug/Exception/OutOfMemoryException.php 0000644 00000000650 14716422132 0014410 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Exception;
/**
* Out of memory exception.
*
* @author Nicolas Grekas
*/
class OutOfMemoryException extends FatalErrorException
{
}
debug/Exception/FatalThrowableError.php 0000644 00000002123 14716422132 0014212 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Exception;
/**
* Fatal Throwable Error.
*
* @author Nicolas Grekas
*/
class FatalThrowableError extends FatalErrorException
{
public function __construct(\Throwable $e)
{
if ($e instanceof \ParseError) {
$message = 'Parse error: '.$e->getMessage();
$severity = E_PARSE;
} elseif ($e instanceof \TypeError) {
$message = 'Type error: '.$e->getMessage();
$severity = E_RECOVERABLE_ERROR;
} else {
$message = $e->getMessage();
$severity = E_ERROR;
}
\ErrorException::__construct(
$message,
$e->getCode(),
$severity,
$e->getFile(),
$e->getLine(),
$e->getPrevious()
);
$this->setTrace($e->getTrace());
}
}
debug/Exception/ContextErrorException.php 0000644 00000002111 14716422132 0014613 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug\Exception;
/**
* Error Exception with Variable Context.
*
* @author Christian Sciberras
*
* @deprecated since version 3.3. Instead, \ErrorException will be used directly in 4.0.
*/
class ContextErrorException extends \ErrorException
{
private $context = [];
public function __construct($message, $code, $severity, $filename, $lineno, $context = [])
{
parent::__construct($message, $code, $severity, $filename, $lineno);
$this->context = $context;
}
/**
* @return array Array of variables that existed when the exception occurred
*/
public function getContext()
{
@trigger_error(sprintf('The %s class is deprecated since Symfony 3.3 and will be removed in 4.0.', __CLASS__), E_USER_DEPRECATED);
return $this->context;
}
}
debug/DebugClassLoader.php 0000644 00000040160 14716422132 0011511 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Debug;
/**
* Autoloader checking if the class is really defined in the file found.
*
* The ClassLoader will wrap all registered autoloaders
* and will throw an exception if a file is found but does
* not declare the class.
*
* @author Fabien Potencier
* @author Christophe Coevoet
* @author Nicolas Grekas
*/
class DebugClassLoader
{
private $classLoader;
private $isFinder;
private $loaded = [];
private static $caseCheck;
private static $checkedClasses = [];
private static $final = [];
private static $finalMethods = [];
private static $deprecated = [];
private static $internal = [];
private static $internalMethods = [];
private static $php7Reserved = ['int' => 1, 'float' => 1, 'bool' => 1, 'string' => 1, 'true' => 1, 'false' => 1, 'null' => 1];
private static $darwinCache = ['/' => ['/', []]];
public function __construct(callable $classLoader)
{
$this->classLoader = $classLoader;
$this->isFinder = \is_array($classLoader) && method_exists($classLoader[0], 'findFile');
if (!isset(self::$caseCheck)) {
$file = file_exists(__FILE__) ? __FILE__ : rtrim(realpath('.'), \DIRECTORY_SEPARATOR);
$i = strrpos($file, \DIRECTORY_SEPARATOR);
$dir = substr($file, 0, 1 + $i);
$file = substr($file, 1 + $i);
$test = strtoupper($file) === $file ? strtolower($file) : strtoupper($file);
$test = realpath($dir.$test);
if (false === $test || false === $i) {
// filesystem is case sensitive
self::$caseCheck = 0;
} elseif (substr($test, -\strlen($file)) === $file) {
// filesystem is case insensitive and realpath() normalizes the case of characters
self::$caseCheck = 1;
} elseif (false !== stripos(PHP_OS, 'darwin')) {
// on MacOSX, HFS+ is case insensitive but realpath() doesn't normalize the case of characters
self::$caseCheck = 2;
} else {
// filesystem case checks failed, fallback to disabling them
self::$caseCheck = 0;
}
}
}
/**
* Gets the wrapped class loader.
*
* @return callable The wrapped class loader
*/
public function getClassLoader()
{
return $this->classLoader;
}
/**
* Wraps all autoloaders.
*/
public static function enable()
{
// Ensures we don't hit https://bugs.php.net/42098
class_exists('Symfony\Component\Debug\ErrorHandler');
class_exists('Psr\Log\LogLevel');
if (!\is_array($functions = spl_autoload_functions())) {
return;
}
foreach ($functions as $function) {
spl_autoload_unregister($function);
}
foreach ($functions as $function) {
if (!\is_array($function) || !$function[0] instanceof self) {
$function = [new static($function), 'loadClass'];
}
spl_autoload_register($function);
}
}
/**
* Disables the wrapping.
*/
public static function disable()
{
if (!\is_array($functions = spl_autoload_functions())) {
return;
}
foreach ($functions as $function) {
spl_autoload_unregister($function);
}
foreach ($functions as $function) {
if (\is_array($function) && $function[0] instanceof self) {
$function = $function[0]->getClassLoader();
}
spl_autoload_register($function);
}
}
/**
* @return string|null
*/
public function findFile($class)
{
return $this->isFinder ? $this->classLoader[0]->findFile($class) ?: null : null;
}
/**
* Loads the given class or interface.
*
* @param string $class The name of the class
*
* @throws \RuntimeException
*/
public function loadClass($class)
{
$e = error_reporting(error_reporting() | E_PARSE | E_ERROR | E_CORE_ERROR | E_COMPILE_ERROR);
try {
if ($this->isFinder && !isset($this->loaded[$class])) {
$this->loaded[$class] = true;
if (!$file = $this->classLoader[0]->findFile($class) ?: false) {
// no-op
} elseif (\function_exists('opcache_is_script_cached') && @opcache_is_script_cached($file)) {
include $file;
return;
} elseif (false === include $file) {
return;
}
} else {
\call_user_func($this->classLoader, $class);
$file = false;
}
} finally {
error_reporting($e);
}
$this->checkClass($class, $file);
}
private function checkClass($class, $file = null)
{
$exists = null === $file || class_exists($class, false) || interface_exists($class, false) || trait_exists($class, false);
if (null !== $file && $class && '\\' === $class[0]) {
$class = substr($class, 1);
}
if ($exists) {
if (isset(self::$checkedClasses[$class])) {
return;
}
self::$checkedClasses[$class] = true;
$refl = new \ReflectionClass($class);
if (null === $file && $refl->isInternal()) {
return;
}
$name = $refl->getName();
if ($name !== $class && 0 === strcasecmp($name, $class)) {
throw new \RuntimeException(sprintf('Case mismatch between loaded and declared class names: "%s" vs "%s".', $class, $name));
}
$deprecations = $this->checkAnnotations($refl, $name);
if (isset(self::$php7Reserved[strtolower($refl->getShortName())])) {
$deprecations[] = sprintf('The "%s" class uses the reserved name "%s", it will break on PHP 7 and higher', $name, $refl->getShortName());
}
foreach ($deprecations as $message) {
@trigger_error($message, E_USER_DEPRECATED);
}
}
if (!$file) {
return;
}
if (!$exists) {
if (false !== strpos($class, '/')) {
throw new \RuntimeException(sprintf('Trying to autoload a class with an invalid name "%s". Be careful that the namespace separator is "\" in PHP, not "/".', $class));
}
throw new \RuntimeException(sprintf('The autoloader expected class "%s" to be defined in file "%s". The file was found but the class was not in it, the class name or namespace probably has a typo.', $class, $file));
}
if (self::$caseCheck && $message = $this->checkCase($refl, $file, $class)) {
throw new \RuntimeException(sprintf('Case mismatch between class and real file names: "%s" vs "%s" in "%s".', $message[0], $message[1], $message[2]));
}
}
public function checkAnnotations(\ReflectionClass $refl, $class)
{
$deprecations = [];
// Don't trigger deprecations for classes in the same vendor
if (2 > $len = 1 + (strpos($class, '\\') ?: strpos($class, '_'))) {
$len = 0;
$ns = '';
} else {
$ns = str_replace('_', '\\', substr($class, 0, $len));
}
// Detect annotations on the class
if (false !== $doc = $refl->getDocComment()) {
foreach (['final', 'deprecated', 'internal'] as $annotation) {
if (false !== strpos($doc, $annotation) && preg_match('#\n\s+\* @'.$annotation.'(?:( .+?)\.?)?\r?\n\s+\*(?: @|/$|\r?\n)#s', $doc, $notice)) {
self::${$annotation}[$class] = isset($notice[1]) ? preg_replace('#\.?\r?\n( \*)? *(?= |\r?\n|$)#', '', $notice[1]) : '';
}
}
}
$parent = get_parent_class($class);
$parentAndOwnInterfaces = $this->getOwnInterfaces($class, $parent);
if ($parent) {
$parentAndOwnInterfaces[$parent] = $parent;
if (!isset(self::$checkedClasses[$parent])) {
$this->checkClass($parent);
}
if (isset(self::$final[$parent])) {
$deprecations[] = sprintf('The "%s" class is considered final%s. It may change without further notice as of its next major version. You should not extend it from "%s".', $parent, self::$final[$parent], $class);
}
}
// Detect if the parent is annotated
foreach ($parentAndOwnInterfaces + class_uses($class, false) as $use) {
if (!isset(self::$checkedClasses[$use])) {
$this->checkClass($use);
}
if (isset(self::$deprecated[$use]) && strncmp($ns, str_replace('_', '\\', $use), $len) && !isset(self::$deprecated[$class])) {
$type = class_exists($class, false) ? 'class' : (interface_exists($class, false) ? 'interface' : 'trait');
$verb = class_exists($use, false) || interface_exists($class, false) ? 'extends' : (interface_exists($use, false) ? 'implements' : 'uses');
$deprecations[] = sprintf('The "%s" %s %s "%s" that is deprecated%s.', $class, $type, $verb, $use, self::$deprecated[$use]);
}
if (isset(self::$internal[$use]) && strncmp($ns, str_replace('_', '\\', $use), $len)) {
$deprecations[] = sprintf('The "%s" %s is considered internal%s. It may change without further notice. You should not use it from "%s".', $use, class_exists($use, false) ? 'class' : (interface_exists($use, false) ? 'interface' : 'trait'), self::$internal[$use], $class);
}
}
if (trait_exists($class)) {
return $deprecations;
}
// Inherit @final and @internal annotations for methods
self::$finalMethods[$class] = [];
self::$internalMethods[$class] = [];
foreach ($parentAndOwnInterfaces as $use) {
foreach (['finalMethods', 'internalMethods'] as $property) {
if (isset(self::${$property}[$use])) {
self::${$property}[$class] = self::${$property}[$class] ? self::${$property}[$use] + self::${$property}[$class] : self::${$property}[$use];
}
}
}
foreach ($refl->getMethods(\ReflectionMethod::IS_PUBLIC | \ReflectionMethod::IS_PROTECTED) as $method) {
if ($method->class !== $class) {
continue;
}
if ($parent && isset(self::$finalMethods[$parent][$method->name])) {
list($declaringClass, $message) = self::$finalMethods[$parent][$method->name];
$deprecations[] = sprintf('The "%s::%s()" method is considered final%s. It may change without further notice as of its next major version. You should not extend it from "%s".', $declaringClass, $method->name, $message, $class);
}
if (isset(self::$internalMethods[$class][$method->name])) {
list($declaringClass, $message) = self::$internalMethods[$class][$method->name];
if (strncmp($ns, $declaringClass, $len)) {
$deprecations[] = sprintf('The "%s::%s()" method is considered internal%s. It may change without further notice. You should not extend it from "%s".', $declaringClass, $method->name, $message, $class);
}
}
// Detect method annotations
if (false === $doc = $method->getDocComment()) {
continue;
}
foreach (['final', 'internal'] as $annotation) {
if (false !== strpos($doc, $annotation) && preg_match('#\n\s+\* @'.$annotation.'(?:( .+?)\.?)?\r?\n\s+\*(?: @|/$|\r?\n)#s', $doc, $notice)) {
$message = isset($notice[1]) ? preg_replace('#\.?\r?\n( \*)? *(?= |\r?\n|$)#', '', $notice[1]) : '';
self::${$annotation.'Methods'}[$class][$method->name] = [$class, $message];
}
}
}
return $deprecations;
}
/**
* @param string $file
* @param string $class
*
* @return array|null
*/
public function checkCase(\ReflectionClass $refl, $file, $class)
{
$real = explode('\\', $class.strrchr($file, '.'));
$tail = explode(\DIRECTORY_SEPARATOR, str_replace('/', \DIRECTORY_SEPARATOR, $file));
$i = \count($tail) - 1;
$j = \count($real) - 1;
while (isset($tail[$i], $real[$j]) && $tail[$i] === $real[$j]) {
--$i;
--$j;
}
array_splice($tail, 0, $i + 1);
if (!$tail) {
return null;
}
$tail = \DIRECTORY_SEPARATOR.implode(\DIRECTORY_SEPARATOR, $tail);
$tailLen = \strlen($tail);
$real = $refl->getFileName();
if (2 === self::$caseCheck) {
$real = $this->darwinRealpath($real);
}
if (0 === substr_compare($real, $tail, -$tailLen, $tailLen, true)
&& 0 !== substr_compare($real, $tail, -$tailLen, $tailLen, false)
) {
return [substr($tail, -$tailLen + 1), substr($real, -$tailLen + 1), substr($real, 0, -$tailLen + 1)];
}
return null;
}
/**
* `realpath` on MacOSX doesn't normalize the case of characters.
*/
private function darwinRealpath($real)
{
$i = 1 + strrpos($real, '/');
$file = substr($real, $i);
$real = substr($real, 0, $i);
if (isset(self::$darwinCache[$real])) {
$kDir = $real;
} else {
$kDir = strtolower($real);
if (isset(self::$darwinCache[$kDir])) {
$real = self::$darwinCache[$kDir][0];
} else {
$dir = getcwd();
chdir($real);
$real = getcwd().'/';
chdir($dir);
$dir = $real;
$k = $kDir;
$i = \strlen($dir) - 1;
while (!isset(self::$darwinCache[$k])) {
self::$darwinCache[$k] = [$dir, []];
self::$darwinCache[$dir] = &self::$darwinCache[$k];
while ('/' !== $dir[--$i]) {
}
$k = substr($k, 0, ++$i);
$dir = substr($dir, 0, $i--);
}
}
}
$dirFiles = self::$darwinCache[$kDir][1];
if (!isset($dirFiles[$file]) && ') : eval()\'d code' === substr($file, -17)) {
// Get the file name from "file_name.php(123) : eval()'d code"
$file = substr($file, 0, strrpos($file, '(', -17));
}
if (isset($dirFiles[$file])) {
return $real.$dirFiles[$file];
}
$kFile = strtolower($file);
if (!isset($dirFiles[$kFile])) {
foreach (scandir($real, 2) as $f) {
if ('.' !== $f[0]) {
$dirFiles[$f] = $f;
if ($f === $file) {
$kFile = $k = $file;
} elseif ($f !== $k = strtolower($f)) {
$dirFiles[$k] = $f;
}
}
}
self::$darwinCache[$kDir][1] = $dirFiles;
}
return $real.$dirFiles[$kFile];
}
/**
* `class_implements` includes interfaces from the parents so we have to manually exclude them.
*
* @param string $class
* @param string|false $parent
*
* @return string[]
*/
private function getOwnInterfaces($class, $parent)
{
$ownInterfaces = class_implements($class, false);
if ($parent) {
foreach (class_implements($parent, false) as $interface) {
unset($ownInterfaces[$interface]);
}
}
foreach ($ownInterfaces as $interface) {
foreach (class_implements($interface) as $interface) {
unset($ownInterfaces[$interface]);
}
}
return $ownInterfaces;
}
}
polyfill-php70/composer.json 0000644 00000001626 14716422132 0012063 0 ustar 00 {
"name": "symfony/polyfill-php70",
"type": "library",
"description": "Symfony polyfill backporting some PHP 7.0+ features to lower PHP versions",
"keywords": ["polyfill", "shim", "compatibility", "portable"],
"homepage": "https://symfony.com",
"license": "MIT",
"authors": [
{
"name": "Nicolas Grekas",
"email": "p@tchwork.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"require": {
"php": ">=5.3.3",
"paragonie/random_compat": "~1.0|~2.0|~9.99"
},
"autoload": {
"psr-4": { "Symfony\\Polyfill\\Php70\\": "" },
"files": [ "bootstrap.php" ],
"classmap": [ "Resources/stubs" ]
},
"minimum-stability": "dev",
"extra": {
"branch-alias": {
"dev-master": "1.17-dev"
}
}
}
polyfill-php70/LICENSE 0000644 00000002051 14716422132 0010337 0 ustar 00 Copyright (c) 2015-2019 Fabien Potencier
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is furnished
to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
polyfill-php70/bootstrap.php 0000644 00000001552 14716422132 0012065 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
use Symfony\Polyfill\Php70 as p;
if (PHP_VERSION_ID >= 70000) {
return;
}
if (!defined('PHP_INT_MIN')) {
define('PHP_INT_MIN', ~PHP_INT_MAX);
}
if (!function_exists('intdiv')) {
function intdiv($dividend, $divisor) { return p\Php70::intdiv($dividend, $divisor); }
}
if (!function_exists('preg_replace_callback_array')) {
function preg_replace_callback_array(array $patterns, $subject, $limit = -1, &$count = 0) { return p\Php70::preg_replace_callback_array($patterns, $subject, $limit, $count); }
}
if (!function_exists('error_clear_last')) {
function error_clear_last() { return p\Php70::error_clear_last(); }
}
polyfill-php70/Php70.php 0000644 00000003773 14716422132 0010755 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Php70;
/**
* @author Nicolas Grekas
*
* @internal
*/
final class Php70
{
public static function intdiv($dividend, $divisor)
{
$dividend = self::intArg($dividend, __FUNCTION__, 1);
$divisor = self::intArg($divisor, __FUNCTION__, 2);
if (0 === $divisor) {
throw new \DivisionByZeroError('Division by zero');
}
if (-1 === $divisor && ~PHP_INT_MAX === $dividend) {
throw new \ArithmeticError('Division of PHP_INT_MIN by -1 is not an integer');
}
return ($dividend - ($dividend % $divisor)) / $divisor;
}
public static function preg_replace_callback_array(array $patterns, $subject, $limit = -1, &$count = 0)
{
$count = 0;
$result = (string) $subject;
if (0 === $limit = self::intArg($limit, __FUNCTION__, 3)) {
return $result;
}
foreach ($patterns as $pattern => $callback) {
$result = preg_replace_callback($pattern, $callback, $result, $limit, $c);
$count += $c;
}
return $result;
}
public static function error_clear_last()
{
static $handler;
if (!$handler) {
$handler = function () { return false; };
}
set_error_handler($handler);
@trigger_error('');
restore_error_handler();
}
private static function intArg($value, $caller, $pos)
{
if (\is_int($value)) {
return $value;
}
if (!\is_numeric($value) || PHP_INT_MAX <= ($value += 0) || ~PHP_INT_MAX >= $value) {
throw new \TypeError(sprintf('%s() expects parameter %d to be integer, %s given', $caller, $pos, \gettype($value)));
}
return (int) $value;
}
}
polyfill-php70/Resources/stubs/ArithmeticError.php 0000644 00000000057 14716422132 0016264 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Util;
/**
* @author Nicolas Grekas
*/
class TestListenerForV5 extends \PHPUnit_Framework_TestSuite implements \PHPUnit_Framework_TestListener
{
private $suite;
private $trait;
public function __construct(\PHPUnit_Framework_TestSuite $suite = null)
{
if ($suite) {
$this->suite = $suite;
$this->setName($suite->getName().' with polyfills enabled');
$this->addTest($suite);
}
$this->trait = new TestListenerTrait();
}
public function startTestSuite(\PHPUnit_Framework_TestSuite $suite)
{
$this->trait->startTestSuite($suite);
}
public function addError(\PHPUnit_Framework_Test $test, \Exception $e, $time)
{
$this->trait->addError($test, $e, $time);
}
public function addWarning(\PHPUnit_Framework_Test $test, \PHPUnit_Framework_Warning $e, $time)
{
}
public function addFailure(\PHPUnit_Framework_Test $test, \PHPUnit_Framework_AssertionFailedError $e, $time)
{
$this->trait->addError($test, $e, $time);
}
public function addIncompleteTest(\PHPUnit_Framework_Test $test, \Exception $e, $time)
{
}
public function addRiskyTest(\PHPUnit_Framework_Test $test, \Exception $e, $time)
{
}
public function addSkippedTest(\PHPUnit_Framework_Test $test, \Exception $e, $time)
{
}
public function endTestSuite(\PHPUnit_Framework_TestSuite $suite)
{
}
public function startTest(\PHPUnit_Framework_Test $test)
{
}
public function endTest(\PHPUnit_Framework_Test $test, $time)
{
}
public static function warning($message)
{
return parent::warning($message);
}
protected function setUp()
{
TestListenerTrait::$enabledPolyfills = $this->suite->getName();
}
protected function tearDown()
{
TestListenerTrait::$enabledPolyfills = false;
}
}
polyfill-util/composer.json 0000644 00000001360 14716422132 0012075 0 ustar 00 {
"name": "symfony/polyfill-util",
"type": "library",
"description": "Symfony utilities for portability of PHP codes",
"keywords": ["polyfill", "shim", "compat", "compatibility"],
"homepage": "https://symfony.com",
"license": "MIT",
"authors": [
{
"name": "Nicolas Grekas",
"email": "p@tchwork.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"require": {
"php": ">=5.3.3"
},
"autoload": {
"psr-4": { "Symfony\\Polyfill\\Util\\": "" }
},
"minimum-stability": "dev",
"extra": {
"branch-alias": {
"dev-master": "1.17-dev"
}
}
}
polyfill-util/LICENSE 0000644 00000002051 14716422132 0010356 0 ustar 00 Copyright (c) 2015-2019 Fabien Potencier
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is furnished
to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
polyfill-util/TestListenerForV6.php 0000644 00000004117 14716422132 0013377 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Util;
use PHPUnit\Framework\AssertionFailedError;
use PHPUnit\Framework\Test;
use PHPUnit\Framework\TestListener as TestListenerInterface;
use PHPUnit\Framework\TestSuite;
use PHPUnit\Framework\Warning;
/**
* @author Nicolas Grekas
*/
class TestListenerForV6 extends TestSuite implements TestListenerInterface
{
private $suite;
private $trait;
public function __construct(TestSuite $suite = null)
{
if ($suite) {
$this->suite = $suite;
$this->setName($suite->getName().' with polyfills enabled');
$this->addTest($suite);
}
$this->trait = new TestListenerTrait();
}
public function startTestSuite(TestSuite $suite)
{
$this->trait->startTestSuite($suite);
}
public function addError(Test $test, \Exception $e, $time)
{
$this->trait->addError($test, $e, $time);
}
public function addWarning(Test $test, Warning $e, $time)
{
}
public function addFailure(Test $test, AssertionFailedError $e, $time)
{
$this->trait->addError($test, $e, $time);
}
public function addIncompleteTest(Test $test, \Exception $e, $time)
{
}
public function addRiskyTest(Test $test, \Exception $e, $time)
{
}
public function addSkippedTest(Test $test, \Exception $e, $time)
{
}
public function endTestSuite(TestSuite $suite)
{
}
public function startTest(Test $test)
{
}
public function endTest(Test $test, $time)
{
}
public static function warning($message)
{
return parent::warning($message);
}
protected function setUp()
{
TestListenerTrait::$enabledPolyfills = $this->suite->getName();
}
protected function tearDown()
{
TestListenerTrait::$enabledPolyfills = false;
}
}
polyfill-util/BinaryOnFuncOverload.php 0000644 00000003147 14716422132 0014122 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Util;
/**
* Binary safe version of string functions overloaded when MB_OVERLOAD_STRING is enabled.
*
* @author Nicolas Grekas
*
* @internal
*/
class BinaryOnFuncOverload
{
public static function strlen($s)
{
return mb_strlen($s, '8bit');
}
public static function strpos($haystack, $needle, $offset = 0)
{
return mb_strpos($haystack, $needle, $offset, '8bit');
}
public static function strrpos($haystack, $needle, $offset = 0)
{
return mb_strrpos($haystack, $needle, $offset, '8bit');
}
public static function substr($string, $start, $length = 2147483647)
{
return mb_substr($string, $start, $length, '8bit');
}
public static function stripos($s, $needle, $offset = 0)
{
return mb_stripos($s, $needle, $offset, '8bit');
}
public static function stristr($s, $needle, $part = false)
{
return mb_stristr($s, $needle, $part, '8bit');
}
public static function strrchr($s, $needle, $part = false)
{
return mb_strrchr($s, $needle, $part, '8bit');
}
public static function strripos($s, $needle, $offset = 0)
{
return mb_strripos($s, $needle, $offset, '8bit');
}
public static function strstr($s, $needle, $part = false)
{
return mb_strstr($s, $needle, $part, '8bit');
}
}
polyfill-util/error_log; 0000644 00000215412 14716422132 0011370 0 ustar 00 [11-Sep-2023 22:57:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[15-Sep-2023 09:44:45 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[21-Sep-2023 17:34:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[23-Sep-2023 13:33:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[25-Sep-2023 07:31:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[27-Sep-2023 18:11:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[27-Sep-2023 18:11:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[27-Sep-2023 18:11:19 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[27-Sep-2023 18:11:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[27-Sep-2023 18:11:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[27-Sep-2023 19:52:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[27-Sep-2023 19:52:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[27-Sep-2023 19:52:31 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[27-Sep-2023 19:52:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[27-Sep-2023 19:52:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[28-Sep-2023 14:06:15 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[28-Sep-2023 14:06:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[28-Sep-2023 14:06:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[28-Sep-2023 14:06:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[28-Sep-2023 14:06:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[28-Sep-2023 14:44:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[28-Sep-2023 14:44:29 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[28-Sep-2023 14:44:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[28-Sep-2023 14:44:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[28-Sep-2023 14:44:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[18-Nov-2023 08:20:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[18-Nov-2023 08:20:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[18-Nov-2023 08:20:26 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[18-Nov-2023 08:20:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[18-Nov-2023 08:20:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[19-Nov-2023 01:04:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[19-Nov-2023 01:04:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[19-Nov-2023 01:04:47 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[19-Nov-2023 01:04:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[19-Nov-2023 01:04:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[19-Nov-2023 08:45:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[19-Nov-2023 08:45:53 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[19-Nov-2023 08:45:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[19-Nov-2023 08:46:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[19-Nov-2023 08:46:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[19-Nov-2023 09:52:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[19-Nov-2023 22:02:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[19-Nov-2023 22:02:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[19-Nov-2023 22:02:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[19-Nov-2023 22:02:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[19-Nov-2023 22:02:44 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[25-Nov-2023 21:00:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[27-Nov-2023 16:29:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[29-Nov-2023 23:21:05 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[04-Jan-2024 00:19:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[06-Jan-2024 05:03:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[09-Jan-2024 16:10:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[20-Jan-2024 02:54:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[24-Jan-2024 16:51:46 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[13-Feb-2024 22:19:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[14-Feb-2024 00:09:48 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[14-Feb-2024 10:21:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[14-Feb-2024 17:22:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[15-Feb-2024 04:07:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[15-Feb-2024 04:55:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[15-Feb-2024 05:55:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[16-Feb-2024 00:13:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[25-Feb-2024 20:35:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[27-Feb-2024 20:46:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[28-Feb-2024 21:29:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[01-Mar-2024 14:07:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[03-Mar-2024 08:18:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[05-Mar-2024 17:32:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[05-Mar-2024 17:33:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[06-Mar-2024 09:37:56 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[06-Mar-2024 09:56:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[06-Mar-2024 09:58:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[12-Mar-2024 12:41:31 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[11-Apr-2024 00:46:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[11-Apr-2024 04:14:00 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[11-Apr-2024 05:31:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[11-Apr-2024 05:33:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[11-Apr-2024 05:51:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[12-Apr-2024 20:57:44 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[13-Apr-2024 22:34:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[15-Apr-2024 02:15:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[15-Apr-2024 12:34:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[16-Apr-2024 05:24:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[16-Apr-2024 10:25:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[16-Apr-2024 16:38:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[23-Apr-2024 23:32:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[27-Apr-2024 20:06:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[03-May-2024 03:49:02 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[04-May-2024 21:03:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[04-May-2024 21:04:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[04-May-2024 21:06:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[04-May-2024 21:31:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[04-May-2024 21:31:12 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[04-May-2024 21:31:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[04-May-2024 21:31:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[04-May-2024 21:31:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[05-May-2024 07:25:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[05-May-2024 07:25:28 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[05-May-2024 07:25:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[05-May-2024 07:25:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[05-May-2024 07:25:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[05-May-2024 17:35:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[05-May-2024 17:35:12 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[05-May-2024 17:35:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[05-May-2024 17:35:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[05-May-2024 17:35:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[14-May-2024 08:05:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[14-May-2024 11:43:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[14-May-2024 11:43:20 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[14-May-2024 11:43:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[14-May-2024 11:43:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[14-May-2024 11:43:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[15-May-2024 23:03:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[15-May-2024 23:11:31 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[15-May-2024 23:42:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[15-May-2024 23:44:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[15-May-2024 23:48:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[17-May-2024 19:38:04 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[20-May-2024 13:30:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[22-May-2024 07:57:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[22-May-2024 08:33:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[22-May-2024 09:00:27 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[22-May-2024 09:03:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[22-May-2024 09:07:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[22-May-2024 09:17:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[22-May-2024 09:25:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[22-May-2024 17:21:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[23-May-2024 06:36:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[25-May-2024 09:31:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[27-May-2024 22:03:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[28-May-2024 05:39:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[30-May-2024 10:58:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[02-Jun-2024 15:24:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[09-Jun-2024 07:19:22 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[14-Jun-2024 21:10:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[14-Jun-2024 22:34:47 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[14-Jun-2024 22:49:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[14-Jun-2024 22:55:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[14-Jun-2024 23:12:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[18-Jun-2024 19:17:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[18-Jun-2024 19:17:25 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[18-Jun-2024 19:17:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[18-Jun-2024 19:17:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[18-Jun-2024 19:17:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[19-Jun-2024 04:17:21 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[19-Jun-2024 04:17:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[19-Jun-2024 04:17:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[19-Jun-2024 04:17:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[19-Jun-2024 04:17:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[19-Jun-2024 15:40:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[19-Jun-2024 15:40:21 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[19-Jun-2024 15:40:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[19-Jun-2024 15:40:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[19-Jun-2024 15:40:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[20-Jun-2024 19:22:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[20-Jun-2024 23:23:25 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[20-Jun-2024 23:33:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[20-Jun-2024 23:33:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[25-Jun-2024 12:42:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[26-Jun-2024 11:07:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[26-Jun-2024 15:32:24 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[26-Jun-2024 18:28:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[26-Jun-2024 20:09:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[26-Jun-2024 20:31:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[27-Jun-2024 00:12:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[27-Jun-2024 00:13:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[27-Jun-2024 00:50:40 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[27-Jun-2024 01:42:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[28-Jun-2024 06:09:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[28-Jun-2024 11:00:45 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[28-Jun-2024 11:10:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[28-Jun-2024 11:11:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[01-Jul-2024 23:17:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[02-Jul-2024 05:55:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[05-Jul-2024 10:33:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[05-Jul-2024 10:34:06 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[05-Jul-2024 10:34:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[05-Jul-2024 10:34:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[05-Jul-2024 10:34:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[06-Jul-2024 18:30:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[12-Jul-2024 06:44:48 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[12-Jul-2024 22:42:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[15-Jul-2024 03:47:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[17-Jul-2024 18:31:40 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[18-Jul-2024 12:06:59 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[18-Jul-2024 12:19:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[18-Jul-2024 12:24:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[21-Jul-2024 01:47:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[22-Jul-2024 16:03:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[22-Jul-2024 16:03:56 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[22-Jul-2024 16:04:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[22-Jul-2024 16:04:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[22-Jul-2024 16:04:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[24-Jul-2024 01:49:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[24-Jul-2024 06:11:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[24-Jul-2024 06:39:01 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[24-Jul-2024 07:48:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[26-Jul-2024 05:09:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[27-Jul-2024 14:34:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[27-Jul-2024 16:42:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[28-Jul-2024 14:34:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[28-Jul-2024 22:03:19 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[28-Jul-2024 22:07:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[29-Jul-2024 04:03:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[29-Jul-2024 19:27:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[01-Aug-2024 20:52:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[02-Aug-2024 18:18:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[04-Aug-2024 23:13:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[05-Aug-2024 07:07:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[07-Aug-2024 09:53:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[07-Aug-2024 11:16:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[07-Aug-2024 13:29:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[08-Aug-2024 09:16:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[08-Aug-2024 10:41:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[08-Aug-2024 11:58:40 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[13-Aug-2024 21:47:46 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[14-Aug-2024 00:27:17 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[17-Aug-2024 03:04:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[17-Aug-2024 06:34:01 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[17-Aug-2024 06:39:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[18-Aug-2024 11:23:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[18-Aug-2024 16:19:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[19-Aug-2024 10:35:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[23-Aug-2024 06:48:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[24-Aug-2024 02:06:48 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[24-Aug-2024 16:00:38 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[24-Aug-2024 19:43:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[25-Aug-2024 10:25:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[29-Aug-2024 02:02:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[29-Aug-2024 11:36:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[29-Aug-2024 23:39:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[30-Aug-2024 01:02:33 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[30-Aug-2024 12:27:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[30-Aug-2024 12:27:51 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[30-Aug-2024 12:27:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[30-Aug-2024 12:28:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[30-Aug-2024 12:28:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[30-Aug-2024 12:53:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[30-Aug-2024 12:53:07 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[30-Aug-2024 12:53:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[30-Aug-2024 12:53:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[30-Aug-2024 12:53:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[01-Sep-2024 19:41:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[01-Sep-2024 19:42:01 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[01-Sep-2024 19:42:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[01-Sep-2024 19:42:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[01-Sep-2024 19:42:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[03-Sep-2024 09:59:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[03-Sep-2024 13:38:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[03-Sep-2024 16:47:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[03-Sep-2024 18:00:43 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[03-Sep-2024 18:47:41 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[03-Sep-2024 19:58:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[04-Sep-2024 10:13:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[04-Sep-2024 10:13:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[05-Sep-2024 20:59:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[06-Sep-2024 21:21:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[06-Sep-2024 21:59:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[07-Sep-2024 02:05:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[08-Sep-2024 02:25:33 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[08-Sep-2024 06:35:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[08-Sep-2024 08:12:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[10-Sep-2024 17:19:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[11-Sep-2024 19:37:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[11-Sep-2024 19:38:00 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[11-Sep-2024 19:38:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[11-Sep-2024 19:38:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[11-Sep-2024 19:38:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[14-Sep-2024 10:49:03 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[14-Sep-2024 15:32:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[01-Oct-2024 10:02:04 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[01-Oct-2024 16:14:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[01-Oct-2024 16:15:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[02-Oct-2024 00:47:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[06-Oct-2024 15:48:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[06-Oct-2024 22:05:09 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[07-Oct-2024 01:35:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[07-Oct-2024 02:36:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[07-Oct-2024 06:45:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[11-Oct-2024 13:18:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[12-Oct-2024 09:16:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[17-Oct-2024 13:16:09 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[17-Oct-2024 19:43:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[18-Oct-2024 10:17:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[18-Oct-2024 10:19:31 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[18-Oct-2024 10:20:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[18-Oct-2024 10:25:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[23-Oct-2024 15:16:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[29-Oct-2024 00:43:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[29-Oct-2024 00:43:07 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[29-Oct-2024 00:43:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[29-Oct-2024 00:43:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[29-Oct-2024 00:43:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[31-Oct-2024 22:36:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[05-Nov-2024 03:40:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[06-Nov-2024 11:26:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[06-Nov-2024 11:26:27 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[06-Nov-2024 11:26:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[06-Nov-2024 11:26:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[06-Nov-2024 11:26:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[06-Nov-2024 23:37:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[06-Nov-2024 23:37:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[08-Nov-2024 23:32:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[08-Nov-2024 23:33:03 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[08-Nov-2024 23:33:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[08-Nov-2024 23:33:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[08-Nov-2024 23:33:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
[09-Nov-2024 23:42:22 America/Fortaleza] PHP Fatal error: Uncaught Error: Class 'PHPUnit\Runner\Version' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php:18
Stack trace:
#0 {main}
thrown in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListener.php on line 18
[10-Nov-2024 00:23:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV7.php on line 24
[10-Nov-2024 05:30:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV6.php on line 23
[10-Nov-2024 12:56:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Polyfill\Util\BinaryOnFuncOverload' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/Binary.php on line 15
[11-Nov-2024 00:27:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit_Framework_TestSuite' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/polyfill-util/TestListenerForV5.php on line 17
polyfill-util/TestListenerTrait.php 0000644 00000011740 14716422132 0013520 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Util;
/**
* @author Nicolas Grekas
*/
class TestListenerTrait
{
public static $enabledPolyfills;
public function startTestSuite($mainSuite)
{
if (null !== self::$enabledPolyfills) {
return;
}
self::$enabledPolyfills = false;
$SkippedTestError = class_exists('PHPUnit\Framework\SkippedTestError') ? 'PHPUnit\Framework\SkippedTestError' : 'PHPUnit_Framework_SkippedTestError';
foreach ($mainSuite->tests() as $suite) {
$testClass = $suite->getName();
if (!$tests = $suite->tests()) {
continue;
}
$testedClass = new \ReflectionClass($testClass);
if (preg_match('{^ \* @requires PHP (.*)}mi', $testedClass->getDocComment(), $m) && version_compare($m[1], \PHP_VERSION, '>')) {
continue;
}
if (!preg_match('/^(.+)\\\\Tests(\\\\.*)Test$/', $testClass, $m)) {
$mainSuite->addTest(TestListener::warning('Unknown naming convention for '.$testClass));
continue;
}
if (!class_exists($m[1].$m[2])) {
continue;
}
$testedClass = new \ReflectionClass($m[1].$m[2]);
$bootstrap = new \SplFileObject(\dirname($testedClass->getFileName()).'/bootstrap.php');
$warnings = array();
$defLine = null;
foreach (new \RegexIterator($bootstrap, '/define\(\'/') as $defLine) {
preg_match('/define\(\'(?P.+)\'/', $defLine, $matches);
if (\defined($matches['name'])) {
continue;
}
try {
eval($defLine);
} catch (\PHPUnit_Framework_Exception $ex){
$warnings[] = TestListener::warning($ex->getMessage());
} catch (\PHPUnit\Framework\Exception $ex) {
$warnings[] = TestListener::warning($ex->getMessage());
}
}
$bootstrap->rewind();
foreach (new \RegexIterator($bootstrap, '/return p\\\\'.$testedClass->getShortName().'::/') as $defLine) {
if (!preg_match('/^\s*function (?P[^\(]++)(?P\(.*\)(?: ?: [^ ]++)?) \{ (?return p\\\\'.$testedClass->getShortName().'::[^\(]++)(?P\([^\)]*+\)); \}$/', $defLine, $f)) {
$warnings[] = TestListener::warning('Invalid line in bootstrap.php: '.trim($defLine));
continue;
}
$testNamespace = substr($testClass, 0, strrpos($testClass, '\\'));
if (\function_exists($testNamespace.'\\'.$f['name'])) {
continue;
}
try {
$r = new \ReflectionFunction($f['name']);
if ($r->isUserDefined()) {
throw new \ReflectionException();
}
if ('idn_to_ascii' === $f['name'] || 'idn_to_utf8' === $f['name']) {
$defLine = sprintf('return INTL_IDNA_VARIANT_2003 === $variant ? \\%s($domain, $options, $variant) : \\%1$s%s', $f['name'], $f['args']);
} elseif (false !== strpos($f['signature'], '&') && 'idn_to_ascii' !== $f['name'] && 'idn_to_utf8' !== $f['name']) {
$defLine = sprintf('return \\%s%s', $f['name'], $f['args']);
} else {
$defLine = sprintf("return \\call_user_func_array('%s', \\func_get_args())", $f['name']);
}
} catch (\ReflectionException $e) {
$defLine = sprintf("throw new \\{$SkippedTestError}('Internal function not found: %s')", $f['name']);
}
eval(<<getNamespaceName()} as p;
function {$f['name']}{$f['signature']}
{
if ('{$testClass}' === TestListenerTrait::\$enabledPolyfills) {
{$f['return']}{$f['args']};
}
{$defLine};
}
EOPHP
);
}
if (!$warnings && null === $defLine) {
$warnings[] = new $SkippedTestError('No Polyfills found in bootstrap.php for '.$testClass);
} else {
$mainSuite->addTest(new TestListener($suite));
}
}
foreach ($warnings as $w) {
$mainSuite->addTest($w);
}
}
public function addError($test, \Exception $e, $time)
{
if (false !== self::$enabledPolyfills) {
$r = new \ReflectionProperty('Exception', 'message');
$r->setAccessible(true);
$r->setValue($e, 'Polyfills enabled, '.$r->getValue($e));
}
}
}
polyfill-util/TestListener.php 0000644 00000002023 14716422132 0012506 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Util;
if (class_exists('PHPUnit_Runner_Version') && version_compare(\PHPUnit_Runner_Version::id(), '6.0.0', '<')) {
class_alias('Symfony\Polyfill\Util\TestListenerForV5', 'Symfony\Polyfill\Util\TestListener');
// Using an early return instead of a else does not work when using the PHPUnit phar due to some weird PHP behavior (the class
// gets defined without executing the code before it and so the definition is not properly conditional)
} elseif (version_compare(\PHPUnit\Runner\Version::id(), '7.0.0', '<')) {
class_alias('Symfony\Polyfill\Util\TestListenerForV6', 'Symfony\Polyfill\Util\TestListener');
} else {
class_alias('Symfony\Polyfill\Util\TestListenerForV7', 'Symfony\Polyfill\Util\TestListener');
}
if (false) {
class TestListener
{
}
}
polyfill-util/BinaryNoFuncOverload.php 0000644 00000002651 14716422132 0014121 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Util;
/**
* @author Nicolas Grekas
*
* @internal
*/
class BinaryNoFuncOverload
{
public static function strlen($s)
{
return \strlen($s);
}
public static function strpos($haystack, $needle, $offset = 0)
{
return strpos($haystack, $needle, $offset);
}
public static function strrpos($haystack, $needle, $offset = 0)
{
return strrpos($haystack, $needle, $offset);
}
public static function substr($string, $start, $length = PHP_INT_MAX)
{
return substr($string, $start, $length);
}
public static function stripos($s, $needle, $offset = 0)
{
return stripos($s, $needle, $offset);
}
public static function stristr($s, $needle, $part = false)
{
return stristr($s, $needle, $part);
}
public static function strrchr($s, $needle, $part = false)
{
return strrchr($s, $needle, $part);
}
public static function strripos($s, $needle, $offset = 0)
{
return strripos($s, $needle, $offset);
}
public static function strstr($s, $needle, $part = false)
{
return strstr($s, $needle, $part);
}
}
polyfill-util/Binary.php 0000644 00000000664 14716422132 0011316 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Util;
if (\extension_loaded('mbstring')) {
class Binary extends BinaryOnFuncOverload
{
}
} else {
class Binary extends BinaryNoFuncOverload
{
}
}
polyfill-util/TestListenerForV7.php 0000644 00000004376 14716422132 0013407 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Util;
use PHPUnit\Framework\AssertionFailedError;
use PHPUnit\Framework\Test;
use PHPUnit\Framework\TestListener as TestListenerInterface;
use PHPUnit\Framework\TestSuite;
use PHPUnit\Framework\Warning;
use PHPUnit\Framework\WarningTestCase;
/**
* @author Ion Bazan
*/
class TestListenerForV7 extends TestSuite implements TestListenerInterface
{
private $suite;
private $trait;
public function __construct(TestSuite $suite = null)
{
if ($suite) {
$this->suite = $suite;
$this->setName($suite->getName().' with polyfills enabled');
$this->addTest($suite);
}
$this->trait = new TestListenerTrait();
}
public function startTestSuite(TestSuite $suite): void
{
$this->trait->startTestSuite($suite);
}
public function addError(Test $test, \Throwable $t, float $time): void
{
$this->trait->addError($test, $t, $time);
}
public function addWarning(Test $test, Warning $e, float $time): void
{
}
public function addFailure(Test $test, AssertionFailedError $e, float $time): void
{
$this->trait->addError($test, $e, $time);
}
public function addIncompleteTest(Test $test, \Throwable $t, float $time): void
{
}
public function addRiskyTest(Test $test, \Throwable $t, float $time): void
{
}
public function addSkippedTest(Test $test, \Throwable $t, float $time): void
{
}
public function endTestSuite(TestSuite $suite): void
{
}
public function startTest(Test $test): void
{
}
public function endTest(Test $test, float $time): void
{
}
public static function warning($message): WarningTestCase
{
return new WarningTestCase($message);
}
protected function setUp(): void
{
TestListenerTrait::$enabledPolyfills = $this->suite->getName();
}
protected function tearDown(): void
{
TestListenerTrait::$enabledPolyfills = false;
}
}
config/ConfigCache.php 0000644 00000003065 14716422132 0010661 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config;
use Symfony\Component\Config\Resource\SelfCheckingResourceChecker;
/**
* ConfigCache caches arbitrary content in files on disk.
*
* When in debug mode, those metadata resources that implement
* \Symfony\Component\Config\Resource\SelfCheckingResourceInterface will
* be used to check cache freshness.
*
* @author Fabien Potencier
* @author Matthias Pigulla
*/
class ConfigCache extends ResourceCheckerConfigCache
{
private $debug;
/**
* @param string $file The absolute cache path
* @param bool $debug Whether debugging is enabled or not
*/
public function __construct($file, $debug)
{
$this->debug = (bool) $debug;
$checkers = array();
if (true === $this->debug) {
$checkers = array(new SelfCheckingResourceChecker());
}
parent::__construct($file, $checkers);
}
/**
* Checks if the cache is still fresh.
*
* This implementation always returns true when debug is off and the
* cache file exists.
*
* @return bool true if the cache is fresh, false otherwise
*/
public function isFresh()
{
if (!$this->debug && is_file($this->getPath())) {
return true;
}
return parent::isFresh();
}
}
config/FileLocator.php 0000644 00000005063 14716422132 0010733 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config;
use Symfony\Component\Config\Exception\FileLocatorFileNotFoundException;
/**
* FileLocator uses an array of pre-defined paths to find files.
*
* @author Fabien Potencier
*/
class FileLocator implements FileLocatorInterface
{
protected $paths;
/**
* Constructor.
*
* @param string|array $paths A path or an array of paths where to look for resources
*/
public function __construct($paths = array())
{
$this->paths = (array) $paths;
}
/**
* {@inheritdoc}
*/
public function locate($name, $currentPath = null, $first = true)
{
if ('' == $name) {
throw new \InvalidArgumentException('An empty file name is not valid to be located.');
}
if ($this->isAbsolutePath($name)) {
if (!file_exists($name)) {
throw new FileLocatorFileNotFoundException(sprintf('The file "%s" does not exist.', $name), 0, null, array($name));
}
return $name;
}
$paths = $this->paths;
if (null !== $currentPath) {
array_unshift($paths, $currentPath);
}
$paths = array_unique($paths);
$filepaths = $notfound = array();
foreach ($paths as $path) {
if (@file_exists($file = $path.DIRECTORY_SEPARATOR.$name)) {
if (true === $first) {
return $file;
}
$filepaths[] = $file;
} else {
$notfound[] = $file;
}
}
if (!$filepaths) {
throw new FileLocatorFileNotFoundException(sprintf('The file "%s" does not exist (in: %s).', $name, implode(', ', $paths)), 0, null, $notfound);
}
return $filepaths;
}
/**
* Returns whether the file path is an absolute path.
*
* @param string $file A file path
*
* @return bool
*/
private function isAbsolutePath($file)
{
if ($file[0] === '/' || $file[0] === '\\'
|| (strlen($file) > 3 && ctype_alpha($file[0])
&& $file[1] === ':'
&& ($file[2] === '\\' || $file[2] === '/')
)
|| null !== parse_url($file, PHP_URL_SCHEME)
) {
return true;
}
return false;
}
}
config/FileLocatorInterface.php 0000644 00000002016 14716422132 0012547 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config;
use Symfony\Component\Config\Exception\FileLocatorFileNotFoundException;
/**
* @author Fabien Potencier
*/
interface FileLocatorInterface
{
/**
* Returns a full path for a given file name.
*
* @param string $name The file name to locate
* @param string|null $currentPath The current path
* @param bool $first Whether to return the first occurrence or an array of filenames
*
* @return string|array The full path to the file or an array of file paths
*
* @throws \InvalidArgumentException If $name is empty
* @throws FileLocatorFileNotFoundException If a file is not found
*/
public function locate($name, $currentPath = null, $first = true);
}
config/composer.json 0000644 00000002044 14716422132 0010535 0 ustar 00 {
"name": "symfony/config",
"type": "library",
"description": "Symfony Config Component",
"keywords": [],
"homepage": "https://symfony.com",
"license": "MIT",
"authors": [
{
"name": "Fabien Potencier",
"email": "fabien@symfony.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"require": {
"php": ">=5.5.9",
"symfony/filesystem": "~2.8|~3.0"
},
"require-dev": {
"symfony/yaml": "~3.0",
"symfony/dependency-injection": "~3.3"
},
"conflict": {
"symfony/dependency-injection": "<3.3"
},
"suggest": {
"symfony/yaml": "To use the yaml reference dumper"
},
"autoload": {
"psr-4": { "Symfony\\Component\\Config\\": "" },
"exclude-from-classmap": [
"/Tests/"
]
},
"minimum-stability": "dev",
"extra": {
"branch-alias": {
"dev-master": "3.3-dev"
}
}
}
config/DependencyInjection/ConfigCachePass.php 0000644 00000003051 14716422132 0015424 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\DependencyInjection;
use Symfony\Component\DependencyInjection\Argument\IteratorArgument;
use Symfony\Component\DependencyInjection\Compiler\CompilerPassInterface;
use Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait;
use Symfony\Component\DependencyInjection\ContainerBuilder;
/**
* Adds services tagged config_cache.resource_checker to the config_cache_factory service, ordering them by priority.
*
* @author Matthias Pigulla
* @author Benjamin Klotz
*/
class ConfigCachePass implements CompilerPassInterface
{
use PriorityTaggedServiceTrait;
private $factoryServiceId;
private $resourceCheckerTag;
public function __construct($factoryServiceId = 'config_cache_factory', $resourceCheckerTag = 'config_cache.resource_checker')
{
$this->factoryServiceId = $factoryServiceId;
$this->resourceCheckerTag = $resourceCheckerTag;
}
public function process(ContainerBuilder $container)
{
$resourceCheckers = $this->findAndSortTaggedServices($this->resourceCheckerTag, $container);
if (empty($resourceCheckers)) {
return;
}
$container->getDefinition($this->factoryServiceId)->replaceArgument(0, new IteratorArgument($resourceCheckers));
}
}
config/DependencyInjection/error_log; 0000644 00000036235 14716422132 0013755 0 ustar 00 [16-Sep-2023 07:11:02 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[29-Sep-2023 12:48:07 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[29-Sep-2023 15:54:05 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[30-Sep-2023 17:57:24 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[30-Sep-2023 19:24:20 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[21-Nov-2023 05:07:32 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[21-Nov-2023 13:58:19 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[21-Nov-2023 23:28:27 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[23-Nov-2023 15:36:09 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[03-Dec-2023 03:24:34 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[24-Jan-2024 16:41:43 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[12-Feb-2024 21:29:58 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[19-Feb-2024 03:09:44 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[28-Feb-2024 09:09:24 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[01-Apr-2024 14:57:07 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[11-Apr-2024 12:35:56 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[23-Apr-2024 18:16:14 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[04-May-2024 21:53:52 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[05-May-2024 07:49:08 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[05-May-2024 12:38:10 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[05-May-2024 18:00:28 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[14-May-2024 12:08:41 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[17-May-2024 20:39:53 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[30-May-2024 16:03:11 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[14-Jun-2024 16:00:34 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[15-Jun-2024 19:19:09 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[18-Jun-2024 19:32:58 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[19-Jun-2024 04:34:05 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[19-Jun-2024 15:57:05 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[19-Jun-2024 21:44:51 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[07-Jul-2024 03:54:07 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[09-Jul-2024 14:22:54 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[22-Jul-2024 16:28:00 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[24-Jul-2024 06:29:30 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[27-Jul-2024 15:41:40 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[13-Aug-2024 22:48:27 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[16-Aug-2024 05:36:15 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[16-Aug-2024 19:46:05 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[18-Aug-2024 13:00:18 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[24-Aug-2024 03:43:59 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[30-Aug-2024 06:46:03 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[30-Aug-2024 10:27:42 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[30-Aug-2024 13:33:03 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[30-Aug-2024 13:36:27 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[01-Sep-2024 20:04:41 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[04-Sep-2024 12:50:08 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[05-Sep-2024 00:24:30 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[17-Sep-2024 23:40:58 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[20-Sep-2024 23:24:15 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[01-Oct-2024 19:37:46 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[02-Oct-2024 12:40:24 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[18-Oct-2024 12:25:04 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[23-Oct-2024 13:43:19 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[26-Oct-2024 13:25:16 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[29-Oct-2024 01:16:43 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[05-Nov-2024 08:26:45 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[06-Nov-2024 11:58:59 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[07-Nov-2024 00:30:06 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
[09-Nov-2024 02:05:07 America/Fortaleza] PHP Fatal error: Trait 'Symfony\Component\DependencyInjection\Compiler\PriorityTaggedServiceTrait' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/DependencyInjection/ConfigCachePass.php on line 27
config/LICENSE 0000644 00000002051 14716422132 0007016 0 ustar 00 Copyright (c) 2004-2017 Fabien Potencier
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is furnished
to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
config/Loader/LoaderResolverInterface.php 0000644 00000001433 14716422132 0014504 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Loader;
/**
* LoaderResolverInterface selects a loader for a given resource.
*
* @author Fabien Potencier
*/
interface LoaderResolverInterface
{
/**
* Returns a loader able to load the resource.
*
* @param mixed $resource A resource
* @param string|null $type The resource type or null if unknown
*
* @return LoaderInterface|false The loader or false if none is able to load the resource
*/
public function resolve($resource, $type = null);
}
config/Loader/LoaderResolver.php 0000644 00000003302 14716422132 0012660 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Loader;
/**
* LoaderResolver selects a loader for a given resource.
*
* A resource can be anything (e.g. a full path to a config file or a Closure).
* Each loader determines whether it can load a resource and how.
*
* @author Fabien Potencier
*/
class LoaderResolver implements LoaderResolverInterface
{
/**
* @var LoaderInterface[] An array of LoaderInterface objects
*/
private $loaders = array();
/**
* Constructor.
*
* @param LoaderInterface[] $loaders An array of loaders
*/
public function __construct(array $loaders = array())
{
foreach ($loaders as $loader) {
$this->addLoader($loader);
}
}
/**
* {@inheritdoc}
*/
public function resolve($resource, $type = null)
{
foreach ($this->loaders as $loader) {
if ($loader->supports($resource, $type)) {
return $loader;
}
}
return false;
}
/**
* Adds a loader.
*
* @param LoaderInterface $loader A LoaderInterface instance
*/
public function addLoader(LoaderInterface $loader)
{
$this->loaders[] = $loader;
$loader->setResolver($this);
}
/**
* Returns the registered loaders.
*
* @return LoaderInterface[] An array of LoaderInterface instances
*/
public function getLoaders()
{
return $this->loaders;
}
}
config/Loader/LoaderInterface.php 0000644 00000002650 14716422132 0012764 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Loader;
/**
* LoaderInterface is the interface implemented by all loader classes.
*
* @author Fabien Potencier
*/
interface LoaderInterface
{
/**
* Loads a resource.
*
* @param mixed $resource The resource
* @param string|null $type The resource type or null if unknown
*
* @throws \Exception If something went wrong
*/
public function load($resource, $type = null);
/**
* Returns whether this class supports the given resource.
*
* @param mixed $resource A resource
* @param string|null $type The resource type or null if unknown
*
* @return bool True if this class supports the given resource, false otherwise
*/
public function supports($resource, $type = null);
/**
* Gets the loader resolver.
*
* @return LoaderResolverInterface A LoaderResolverInterface instance
*/
public function getResolver();
/**
* Sets the loader resolver.
*
* @param LoaderResolverInterface $resolver A LoaderResolverInterface instance
*/
public function setResolver(LoaderResolverInterface $resolver);
}
config/Loader/error_log; 0000644 00000203547 14716422132 0011244 0 ustar 00 [20-Sep-2023 05:02:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[29-Sep-2023 12:47:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[29-Sep-2023 12:47:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[29-Sep-2023 12:47:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[29-Sep-2023 12:47:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[29-Sep-2023 12:47:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[29-Sep-2023 15:53:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[29-Sep-2023 15:53:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[29-Sep-2023 15:53:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[29-Sep-2023 15:54:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[29-Sep-2023 15:54:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[30-Sep-2023 17:57:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[30-Sep-2023 17:57:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[30-Sep-2023 17:57:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[30-Sep-2023 17:57:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[30-Sep-2023 17:57:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[30-Sep-2023 19:25:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[30-Sep-2023 19:25:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[30-Sep-2023 19:25:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[30-Sep-2023 19:25:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[30-Sep-2023 19:25:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[03-Oct-2023 15:58:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[10-Oct-2023 22:27:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[06-Nov-2023 03:03:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[17-Nov-2023 05:40:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[21-Nov-2023 08:38:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[21-Nov-2023 08:38:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[21-Nov-2023 08:38:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[21-Nov-2023 08:39:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[21-Nov-2023 08:39:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[22-Nov-2023 01:45:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[22-Nov-2023 01:45:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[22-Nov-2023 01:45:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[22-Nov-2023 01:46:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[22-Nov-2023 01:46:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[23-Nov-2023 01:11:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[23-Nov-2023 01:11:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[23-Nov-2023 01:12:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[23-Nov-2023 01:12:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[23-Nov-2023 01:12:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[24-Nov-2023 05:28:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[24-Nov-2023 05:28:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[24-Nov-2023 05:28:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[24-Nov-2023 05:28:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[24-Nov-2023 05:29:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[28-Nov-2023 22:36:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[29-Nov-2023 06:32:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[30-Dec-2023 05:46:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[01-Jan-2024 03:58:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[01-Jan-2024 04:08:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[08-Jan-2024 19:07:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[11-Jan-2024 10:01:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[16-Jan-2024 08:56:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[20-Jan-2024 12:46:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[21-Jan-2024 21:28:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[09-Feb-2024 00:37:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[11-Feb-2024 09:20:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[12-Feb-2024 18:53:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[12-Feb-2024 19:37:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[13-Feb-2024 00:18:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[15-Feb-2024 00:22:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[16-Feb-2024 16:26:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[16-Feb-2024 16:58:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[16-Feb-2024 17:18:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[16-Feb-2024 20:24:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[16-Feb-2024 21:33:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[17-Feb-2024 04:31:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[18-Feb-2024 00:13:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[18-Feb-2024 00:44:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[24-Feb-2024 15:57:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[27-Feb-2024 12:56:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[27-Feb-2024 13:09:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[27-Feb-2024 13:12:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[27-Feb-2024 13:21:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[27-Feb-2024 13:29:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[05-Mar-2024 16:19:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[08-Mar-2024 05:16:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[18-Mar-2024 02:41:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[20-Mar-2024 08:35:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[28-Mar-2024 03:20:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[11-Apr-2024 05:46:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[11-Apr-2024 06:00:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[11-Apr-2024 06:18:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[11-Apr-2024 06:23:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[11-Apr-2024 06:42:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[20-Apr-2024 04:17:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[21-Apr-2024 03:27:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[22-Apr-2024 11:36:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[23-Apr-2024 03:03:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[24-Apr-2024 09:00:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[24-Apr-2024 14:22:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[27-Apr-2024 23:27:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[03-May-2024 23:15:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[04-May-2024 21:21:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[04-May-2024 21:25:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[04-May-2024 21:41:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[04-May-2024 21:52:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[04-May-2024 22:00:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[04-May-2024 22:03:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[04-May-2024 22:03:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[04-May-2024 22:03:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[04-May-2024 22:03:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[04-May-2024 22:03:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[05-May-2024 07:59:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[05-May-2024 07:59:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[05-May-2024 07:59:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[05-May-2024 07:59:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[05-May-2024 07:59:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[05-May-2024 18:10:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[05-May-2024 18:10:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[05-May-2024 18:10:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[05-May-2024 18:11:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[05-May-2024 18:11:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[14-May-2024 12:25:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[14-May-2024 12:25:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[14-May-2024 12:25:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[14-May-2024 12:25:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[14-May-2024 12:25:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[14-May-2024 12:32:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[14-May-2024 14:11:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[19-May-2024 23:14:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[20-May-2024 00:22:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[20-May-2024 01:07:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[20-May-2024 01:50:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[20-May-2024 02:59:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[25-May-2024 20:54:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[25-May-2024 21:10:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[25-May-2024 22:21:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[25-May-2024 23:04:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[26-May-2024 00:59:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[26-May-2024 05:57:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[28-May-2024 17:41:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[30-May-2024 00:19:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[30-May-2024 03:03:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[30-May-2024 17:50:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[31-May-2024 21:19:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[04-Jun-2024 02:49:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[06-Jun-2024 14:11:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[09-Jun-2024 05:23:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[14-Jun-2024 16:01:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[14-Jun-2024 16:01:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[14-Jun-2024 16:01:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[14-Jun-2024 16:01:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[14-Jun-2024 16:01:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[14-Jun-2024 23:41:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[15-Jun-2024 00:49:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[15-Jun-2024 02:11:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[15-Jun-2024 02:29:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[15-Jun-2024 02:44:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[18-Jun-2024 19:40:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[18-Jun-2024 19:40:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[18-Jun-2024 19:40:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[18-Jun-2024 19:40:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[18-Jun-2024 19:40:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[19-Jun-2024 04:41:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[19-Jun-2024 04:41:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[19-Jun-2024 04:41:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[19-Jun-2024 04:41:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[19-Jun-2024 04:41:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[19-Jun-2024 16:04:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[19-Jun-2024 16:04:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[19-Jun-2024 16:04:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[19-Jun-2024 16:04:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[19-Jun-2024 16:04:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[19-Jun-2024 20:23:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[20-Jun-2024 05:05:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[21-Jun-2024 03:17:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[21-Jun-2024 05:07:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[21-Jun-2024 05:48:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[21-Jun-2024 06:37:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[22-Jun-2024 06:34:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[27-Jun-2024 01:30:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[27-Jun-2024 02:04:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[27-Jun-2024 07:55:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[27-Jun-2024 08:22:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[29-Jun-2024 01:24:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[29-Jun-2024 07:14:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[01-Jul-2024 02:31:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[02-Jul-2024 13:01:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[02-Jul-2024 18:58:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[02-Jul-2024 20:48:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[03-Jul-2024 00:11:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[03-Jul-2024 15:50:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[05-Jul-2024 10:08:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[07-Jul-2024 07:07:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[07-Jul-2024 13:01:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[08-Jul-2024 15:36:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[11-Jul-2024 12:33:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[12-Jul-2024 21:50:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[12-Jul-2024 23:42:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[15-Jul-2024 00:15:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[17-Jul-2024 18:30:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[22-Jul-2024 03:51:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[22-Jul-2024 06:00:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[22-Jul-2024 08:20:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[22-Jul-2024 10:02:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[22-Jul-2024 10:09:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[22-Jul-2024 16:36:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[22-Jul-2024 16:36:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[22-Jul-2024 16:36:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[22-Jul-2024 16:36:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[22-Jul-2024 16:36:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[23-Jul-2024 09:46:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[24-Jul-2024 10:43:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[28-Jul-2024 03:41:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[28-Jul-2024 04:56:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[28-Jul-2024 06:29:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[28-Jul-2024 08:17:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[01-Aug-2024 20:51:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[01-Aug-2024 21:30:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[07-Aug-2024 08:02:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[08-Aug-2024 14:54:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[08-Aug-2024 18:18:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[08-Aug-2024 22:02:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[09-Aug-2024 04:57:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[09-Aug-2024 06:19:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[09-Aug-2024 10:05:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[14-Aug-2024 06:20:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[16-Aug-2024 12:50:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[17-Aug-2024 03:26:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[17-Aug-2024 09:21:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[17-Aug-2024 11:26:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[18-Aug-2024 09:29:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[19-Aug-2024 10:03:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[23-Aug-2024 07:20:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[23-Aug-2024 21:50:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[24-Aug-2024 02:06:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[24-Aug-2024 03:39:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[24-Aug-2024 06:08:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[29-Aug-2024 22:59:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[30-Aug-2024 06:12:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[30-Aug-2024 11:01:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[30-Aug-2024 14:07:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[30-Aug-2024 14:07:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[30-Aug-2024 14:07:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[30-Aug-2024 14:07:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[30-Aug-2024 14:07:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[30-Aug-2024 14:10:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[30-Aug-2024 14:10:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[30-Aug-2024 14:10:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[30-Aug-2024 14:10:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[30-Aug-2024 14:11:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[01-Sep-2024 19:46:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[01-Sep-2024 20:13:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[01-Sep-2024 20:13:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[01-Sep-2024 20:14:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[01-Sep-2024 20:14:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[01-Sep-2024 20:14:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[05-Sep-2024 04:08:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[06-Sep-2024 07:42:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[08-Sep-2024 01:37:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[12-Sep-2024 06:51:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[15-Sep-2024 01:12:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[15-Sep-2024 04:24:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[15-Sep-2024 10:26:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[15-Sep-2024 11:44:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[15-Sep-2024 13:11:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[15-Sep-2024 17:20:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[23-Sep-2024 05:41:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[23-Sep-2024 06:49:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[25-Sep-2024 05:05:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[25-Sep-2024 11:18:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[25-Sep-2024 13:59:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[28-Sep-2024 19:28:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[29-Sep-2024 10:04:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[01-Oct-2024 15:33:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[02-Oct-2024 05:59:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[06-Oct-2024 14:27:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[16-Oct-2024 15:41:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[17-Oct-2024 15:48:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[17-Oct-2024 15:54:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[17-Oct-2024 16:47:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[17-Oct-2024 16:48:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[17-Oct-2024 17:42:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[18-Oct-2024 00:38:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[18-Oct-2024 04:13:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[18-Oct-2024 05:04:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[18-Oct-2024 12:23:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[18-Oct-2024 12:26:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[18-Oct-2024 12:27:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[18-Oct-2024 12:59:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[18-Oct-2024 15:03:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[18-Oct-2024 23:09:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[25-Oct-2024 12:01:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[28-Oct-2024 07:53:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[28-Oct-2024 14:23:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[29-Oct-2024 01:27:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[29-Oct-2024 01:27:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[29-Oct-2024 01:27:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[29-Oct-2024 01:27:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[29-Oct-2024 01:27:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[29-Oct-2024 01:44:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[31-Oct-2024 21:52:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[31-Oct-2024 22:55:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[04-Nov-2024 07:10:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[04-Nov-2024 08:53:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[06-Nov-2024 12:09:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[06-Nov-2024 12:09:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[06-Nov-2024 12:09:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[06-Nov-2024 12:09:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[06-Nov-2024 12:09:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[09-Nov-2024 02:57:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/Loader.php on line 21
[09-Nov-2024 02:58:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
[09-Nov-2024 02:59:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Loader\LoaderResolverInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/LoaderResolver.php on line 22
[09-Nov-2024 02:59:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\FileLoader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/GlobFileLoader.php on line 19
[09-Nov-2024 02:59:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/DelegatingLoader.php on line 24
[11-Nov-2024 10:36:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Loader\Loader' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Loader/FileLoader.php on line 26
config/Loader/Loader.php 0000644 00000003512 14716422132 0011141 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Loader;
use Symfony\Component\Config\Exception\FileLoaderLoadException;
/**
* Loader is the abstract class used by all built-in loaders.
*
* @author Fabien Potencier
*/
abstract class Loader implements LoaderInterface
{
protected $resolver;
/**
* {@inheritdoc}
*/
public function getResolver()
{
return $this->resolver;
}
/**
* {@inheritdoc}
*/
public function setResolver(LoaderResolverInterface $resolver)
{
$this->resolver = $resolver;
}
/**
* Imports a resource.
*
* @param mixed $resource A resource
* @param string|null $type The resource type or null if unknown
*
* @return mixed
*/
public function import($resource, $type = null)
{
return $this->resolve($resource, $type)->load($resource, $type);
}
/**
* Finds a loader able to load an imported resource.
*
* @param mixed $resource A resource
* @param string|null $type The resource type or null if unknown
*
* @return $this|LoaderInterface
*
* @throws FileLoaderLoadException If no loader is found
*/
public function resolve($resource, $type = null)
{
if ($this->supports($resource, $type)) {
return $this;
}
$loader = null === $this->resolver ? false : $this->resolver->resolve($resource, $type);
if (false === $loader) {
throw new FileLoaderLoadException($resource, null, null, null, $type);
}
return $loader;
}
}
config/Loader/FileLoader.php 0000644 00000013142 14716422132 0011741 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Loader;
use Symfony\Component\Config\FileLocatorInterface;
use Symfony\Component\Config\Exception\FileLoaderLoadException;
use Symfony\Component\Config\Exception\FileLoaderImportCircularReferenceException;
use Symfony\Component\Config\Exception\FileLocatorFileNotFoundException;
use Symfony\Component\Config\Resource\FileExistenceResource;
use Symfony\Component\Config\Resource\GlobResource;
/**
* FileLoader is the abstract class used by all built-in loaders that are file based.
*
* @author Fabien Potencier
*/
abstract class FileLoader extends Loader
{
/**
* @var array
*/
protected static $loading = array();
/**
* @var FileLocatorInterface
*/
protected $locator;
private $currentDir;
/**
* Constructor.
*
* @param FileLocatorInterface $locator A FileLocatorInterface instance
*/
public function __construct(FileLocatorInterface $locator)
{
$this->locator = $locator;
}
/**
* Sets the current directory.
*
* @param string $dir
*/
public function setCurrentDir($dir)
{
$this->currentDir = $dir;
}
/**
* Returns the file locator used by this loader.
*
* @return FileLocatorInterface
*/
public function getLocator()
{
return $this->locator;
}
/**
* Imports a resource.
*
* @param mixed $resource A Resource
* @param string|null $type The resource type or null if unknown
* @param bool $ignoreErrors Whether to ignore import errors or not
* @param string|null $sourceResource The original resource importing the new resource
*
* @return mixed
*
* @throws FileLoaderLoadException
* @throws FileLoaderImportCircularReferenceException
* @throws FileLocatorFileNotFoundException
*/
public function import($resource, $type = null, $ignoreErrors = false, $sourceResource = null)
{
if (is_string($resource) && strlen($resource) !== $i = strcspn($resource, '*?{[')) {
$ret = array();
$isSubpath = 0 !== $i && false !== strpos(substr($resource, 0, $i), '/');
foreach ($this->glob($resource, false, $_, $ignoreErrors || !$isSubpath) as $path => $info) {
if (null !== $res = $this->doImport($path, $type, $ignoreErrors, $sourceResource)) {
$ret[] = $res;
}
$isSubpath = true;
}
if ($isSubpath) {
return isset($ret[1]) ? $ret : (isset($ret[0]) ? $ret[0] : null);
}
}
return $this->doImport($resource, $type, $ignoreErrors, $sourceResource);
}
/**
* @internal
*/
protected function glob($pattern, $recursive, &$resource = null, $ignoreErrors = false)
{
if (strlen($pattern) === $i = strcspn($pattern, '*?{[')) {
$prefix = $pattern;
$pattern = '';
} elseif (0 === $i || false === strpos(substr($pattern, 0, $i), '/')) {
$prefix = '.';
$pattern = '/'.$pattern;
} else {
$prefix = dirname(substr($pattern, 0, 1 + $i));
$pattern = substr($pattern, strlen($prefix));
}
try {
$prefix = $this->locator->locate($prefix, $this->currentDir, true);
} catch (FileLocatorFileNotFoundException $e) {
if (!$ignoreErrors) {
throw $e;
}
$resource = array();
foreach ($e->getPaths() as $path) {
$resource[] = new FileExistenceResource($path);
}
return;
}
$resource = new GlobResource($prefix, $pattern, $recursive);
foreach ($resource as $path => $info) {
yield $path => $info;
}
}
private function doImport($resource, $type = null, $ignoreErrors = false, $sourceResource = null)
{
try {
$loader = $this->resolve($resource, $type);
if ($loader instanceof self && null !== $this->currentDir) {
$resource = $loader->getLocator()->locate($resource, $this->currentDir, false);
}
$resources = is_array($resource) ? $resource : array($resource);
for ($i = 0; $i < $resourcesCount = count($resources); ++$i) {
if (isset(self::$loading[$resources[$i]])) {
if ($i == $resourcesCount - 1) {
throw new FileLoaderImportCircularReferenceException(array_keys(self::$loading));
}
} else {
$resource = $resources[$i];
break;
}
}
self::$loading[$resource] = true;
try {
$ret = $loader->load($resource, $type);
} finally {
unset(self::$loading[$resource]);
}
return $ret;
} catch (FileLoaderImportCircularReferenceException $e) {
throw $e;
} catch (\Exception $e) {
if (!$ignoreErrors) {
// prevent embedded imports from nesting multiple exceptions
if ($e instanceof FileLoaderLoadException) {
throw $e;
}
throw new FileLoaderLoadException($resource, $sourceResource, null, $e, $type);
}
}
}
}
config/Loader/GlobFileLoader.php 0000644 00000001312 14716422132 0012541 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Loader;
/**
* GlobFileLoader loads files from a glob pattern.
*
* @author Fabien Potencier
*/
class GlobFileLoader extends FileLoader
{
/**
* {@inheritdoc}
*/
public function load($resource, $type = null)
{
return $this->import($resource);
}
/**
* {@inheritdoc}
*/
public function supports($resource, $type = null)
{
return 'glob' === $type;
}
}
config/Loader/DelegatingLoader.php 0000644 00000002573 14716422132 0013133 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Loader;
use Symfony\Component\Config\Exception\FileLoaderLoadException;
/**
* DelegatingLoader delegates loading to other loaders using a loader resolver.
*
* This loader acts as an array of LoaderInterface objects - each having
* a chance to load a given resource (handled by the resolver)
*
* @author Fabien Potencier
*/
class DelegatingLoader extends Loader
{
/**
* Constructor.
*
* @param LoaderResolverInterface $resolver A LoaderResolverInterface instance
*/
public function __construct(LoaderResolverInterface $resolver)
{
$this->resolver = $resolver;
}
/**
* {@inheritdoc}
*/
public function load($resource, $type = null)
{
if (false === $loader = $this->resolver->resolve($resource, $type)) {
throw new FileLoaderLoadException($resource, null, null, null, $type);
}
return $loader->load($resource, $type);
}
/**
* {@inheritdoc}
*/
public function supports($resource, $type = null)
{
return false !== $this->resolver->resolve($resource, $type);
}
}
config/Tests/ConfigCacheTest.php 0000644 00000004630 14716422132 0012622 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\ConfigCache;
use Symfony\Component\Config\Tests\Resource\ResourceStub;
class ConfigCacheTest extends TestCase
{
private $cacheFile = null;
protected function setUp()
{
$this->cacheFile = tempnam(sys_get_temp_dir(), 'config_');
}
protected function tearDown()
{
$files = array($this->cacheFile, $this->cacheFile.'.meta');
foreach ($files as $file) {
if (file_exists($file)) {
unlink($file);
}
}
}
/**
* @dataProvider debugModes
*/
public function testCacheIsNotValidIfNothingHasBeenCached($debug)
{
unlink($this->cacheFile); // remove tempnam() side effect
$cache = new ConfigCache($this->cacheFile, $debug);
$this->assertFalse($cache->isFresh());
}
public function testIsAlwaysFreshInProduction()
{
$staleResource = new ResourceStub();
$staleResource->setFresh(false);
$cache = new ConfigCache($this->cacheFile, false);
$cache->write('', array($staleResource));
$this->assertTrue($cache->isFresh());
}
/**
* @dataProvider debugModes
*/
public function testIsFreshWhenNoResourceProvided($debug)
{
$cache = new ConfigCache($this->cacheFile, $debug);
$cache->write('', array());
$this->assertTrue($cache->isFresh());
}
public function testFreshResourceInDebug()
{
$freshResource = new ResourceStub();
$freshResource->setFresh(true);
$cache = new ConfigCache($this->cacheFile, true);
$cache->write('', array($freshResource));
$this->assertTrue($cache->isFresh());
}
public function testStaleResourceInDebug()
{
$staleResource = new ResourceStub();
$staleResource->setFresh(false);
$cache = new ConfigCache($this->cacheFile, true);
$cache->write('', array($staleResource));
$this->assertFalse($cache->isFresh());
}
public function debugModes()
{
return array(
array(true),
array(false),
);
}
}
config/Tests/Fixtures/BarNode.php 0000644 00000000572 14716422132 0012755 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Fixtures;
use Symfony\Component\Config\Definition\ArrayNode;
class BarNode extends ArrayNode
{
}
config/Tests/Fixtures/Again/foo.xml 0000644 00000000000 14716422132 0013240 0 ustar 00 config/Tests/Fixtures/error_log; 0000644 00000032010 14716422132 0012732 0 ustar 00 [01-Oct-2023 15:33:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[01-Oct-2023 17:56:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[06-Nov-2023 08:28:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[25-Nov-2023 02:15:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[26-Nov-2023 08:26:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[26-Nov-2023 09:44:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[28-Nov-2023 01:48:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[02-Jan-2024 01:33:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[10-Feb-2024 16:11:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[20-Feb-2024 05:58:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[18-Mar-2024 02:47:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[26-Apr-2024 00:06:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[28-Apr-2024 18:40:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[04-May-2024 22:33:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[05-May-2024 08:29:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[05-May-2024 18:39:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[13-May-2024 05:06:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[14-May-2024 05:48:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[14-May-2024 13:14:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[20-May-2024 17:57:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[27-May-2024 09:10:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[04-Jun-2024 19:59:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[04-Jun-2024 21:56:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[14-Jun-2024 16:02:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[15-Jun-2024 02:06:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[18-Jun-2024 19:49:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[19-Jun-2024 04:50:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[19-Jun-2024 16:13:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[21-Jun-2024 07:35:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[27-Jun-2024 10:22:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[08-Jul-2024 03:35:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[09-Jul-2024 10:37:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[13-Jul-2024 22:10:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[18-Jul-2024 23:31:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[22-Jul-2024 15:07:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[22-Jul-2024 17:09:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[26-Jul-2024 10:12:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[15-Aug-2024 02:48:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[17-Aug-2024 08:34:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[23-Aug-2024 15:33:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[24-Aug-2024 02:06:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[24-Aug-2024 11:53:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[30-Aug-2024 03:30:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[30-Aug-2024 15:16:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[30-Aug-2024 15:16:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[01-Sep-2024 20:44:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[10-Sep-2024 03:33:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[20-Sep-2024 08:13:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[21-Sep-2024 16:11:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[27-Sep-2024 07:06:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[03-Oct-2024 14:38:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[17-Oct-2024 16:47:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[25-Oct-2024 06:19:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[29-Oct-2024 01:43:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[29-Oct-2024 10:24:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[01-Nov-2024 06:00:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[06-Nov-2024 12:28:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[09-Nov-2024 04:01:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[11-Nov-2024 01:54:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
[11-Nov-2024 17:11:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/BarNode.php on line 16
config/Tests/Fixtures/Configuration/ExampleConfiguration.php 0000644 00000007670 14716422132 0020403 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Fixtures\Configuration;
use Symfony\Component\Config\Definition\Builder\TreeBuilder;
use Symfony\Component\Config\Definition\ConfigurationInterface;
class ExampleConfiguration implements ConfigurationInterface
{
public function getConfigTreeBuilder()
{
$treeBuilder = new TreeBuilder();
$rootNode = $treeBuilder->root('acme_root');
$rootNode
->fixXmlConfig('parameter')
->fixXmlConfig('connection')
->fixXmlConfig('cms_page')
->children()
->booleanNode('boolean')->defaultTrue()->end()
->scalarNode('scalar_empty')->end()
->scalarNode('scalar_null')->defaultNull()->end()
->scalarNode('scalar_true')->defaultTrue()->end()
->scalarNode('scalar_false')->defaultFalse()->end()
->scalarNode('scalar_default')->defaultValue('default')->end()
->scalarNode('scalar_array_empty')->defaultValue(array())->end()
->scalarNode('scalar_array_defaults')->defaultValue(array('elem1', 'elem2'))->end()
->scalarNode('scalar_required')->isRequired()->end()
->scalarNode('node_with_a_looong_name')->end()
->enumNode('enum_with_default')->values(array('this', 'that'))->defaultValue('this')->end()
->enumNode('enum')->values(array('this', 'that'))->end()
->arrayNode('array')
->info('some info')
->canBeUnset()
->children()
->scalarNode('child1')->end()
->scalarNode('child2')->end()
->scalarNode('child3')
->info(
"this is a long\n".
"multi-line info text\n".
'which should be indented'
)
->example('example setting')
->end()
->end()
->end()
->arrayNode('scalar_prototyped')
->prototype('scalar')->end()
->end()
->arrayNode('parameters')
->useAttributeAsKey('name')
->prototype('scalar')->info('Parameter name')->end()
->end()
->arrayNode('connections')
->prototype('array')
->children()
->scalarNode('user')->end()
->scalarNode('pass')->end()
->end()
->end()
->end()
->arrayNode('cms_pages')
->useAttributeAsKey('page')
->prototype('array')
->useAttributeAsKey('locale')
->prototype('array')
->children()
->scalarNode('title')->isRequired()->end()
->scalarNode('path')->isRequired()->end()
->end()
->end()
->end()
->end()
->arrayNode('pipou')
->useAttributeAsKey('name')
->prototype('array')
->prototype('array')
->children()
->scalarNode('didou')
->end()
->end()
->end()
->end()
->end()
->end()
;
return $treeBuilder;
}
}
config/Tests/Fixtures/Configuration/error_log; 0000644 00000027714 14716422132 0015560 0 ustar 00 [15-Sep-2023 22:39:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[02-Oct-2023 05:14:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[29-Nov-2023 11:41:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[29-Nov-2023 14:54:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[30-Nov-2023 07:44:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[30-Nov-2023 16:26:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[02-Dec-2023 11:00:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[07-Jan-2024 20:06:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[23-Feb-2024 08:28:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[27-Mar-2024 09:18:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[01-May-2024 11:05:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[05-May-2024 01:40:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[05-May-2024 11:35:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[05-May-2024 21:00:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[15-May-2024 04:29:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[16-May-2024 17:04:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[20-May-2024 17:20:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[10-Jun-2024 07:08:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[16-Jun-2024 02:38:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[18-Jun-2024 20:24:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[19-Jun-2024 05:26:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[19-Jun-2024 16:49:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[28-Jun-2024 17:11:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[10-Jul-2024 10:32:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[16-Jul-2024 14:10:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[19-Jul-2024 07:05:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[22-Jul-2024 19:48:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[04-Aug-2024 14:50:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[15-Aug-2024 00:41:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[20-Aug-2024 22:54:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[21-Aug-2024 22:04:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[31-Aug-2024 14:11:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[01-Sep-2024 09:48:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[01-Sep-2024 23:51:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[08-Sep-2024 23:02:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[11-Sep-2024 15:25:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[11-Sep-2024 15:25:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[17-Sep-2024 06:10:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[09-Oct-2024 13:16:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[13-Oct-2024 20:18:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[26-Oct-2024 20:29:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[29-Oct-2024 03:34:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[02-Nov-2024 01:27:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[06-Nov-2024 14:06:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[07-Nov-2024 00:11:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
[09-Nov-2024 05:33:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\ConfigurationInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Configuration/ExampleConfiguration.php on line 17
config/Tests/Fixtures/Resource/ConditionalClass.php 0000644 00000000227 14716422132 0016460 0 ustar 00
config/Tests/Fixtures/Util/invalid_schema.xml 0000644 00000000123 14716422132 0015327 0 ustar 00
config/Tests/Fixtures/Util/valid.xml 0000644 00000000130 14716422132 0013456 0 ustar 00
config/Tests/Fixtures/Util/document_type.xml 0000644 00000000237 14716422132 0015246 0 ustar 00
]>
config/Tests/Fixtures/Util/schema.xsd 0000644 00000000410 14716422132 0013616 0 ustar 00
config/Tests/Fixtures/foo.xml 0000644 00000000000 14716422132 0012221 0 ustar 00 config/Tests/Fixtures/Builder/VariableNodeDefinition.php 0000644 00000000727 14716422132 0017377 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Builder;
use Symfony\Component\Config\Definition\Builder\VariableNodeDefinition as BaseVariableNodeDefinition;
class VariableNodeDefinition extends BaseVariableNodeDefinition
{
}
config/Tests/Fixtures/Builder/error_log; 0000644 00000100125 14716422132 0014323 0 ustar 00 [11-Sep-2023 17:13:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[30-Sep-2023 05:26:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[02-Oct-2023 05:13:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[02-Oct-2023 05:13:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[02-Oct-2023 05:14:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[20-Nov-2023 01:50:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[23-Nov-2023 07:45:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[29-Nov-2023 16:12:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[29-Nov-2023 16:12:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[29-Nov-2023 16:12:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[01-Dec-2023 02:48:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[01-Dec-2023 02:48:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[01-Dec-2023 02:48:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[01-Dec-2023 13:27:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[01-Dec-2023 13:27:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[01-Dec-2023 13:27:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[02-Dec-2023 04:50:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[02-Dec-2023 04:50:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[02-Dec-2023 04:50:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[06-Dec-2023 21:41:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[14-Jan-2024 09:40:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[15-Jan-2024 06:25:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[17-Jan-2024 13:32:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[27-Feb-2024 01:57:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[27-Feb-2024 18:02:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[27-Feb-2024 21:27:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[08-Apr-2024 03:22:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[08-Apr-2024 21:34:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[10-Apr-2024 01:46:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[04-May-2024 18:43:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[05-May-2024 00:58:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[05-May-2024 01:23:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[05-May-2024 01:36:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[05-May-2024 10:53:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[05-May-2024 11:18:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[05-May-2024 11:31:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[05-May-2024 20:19:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[05-May-2024 20:43:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[05-May-2024 20:56:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[06-May-2024 18:36:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[08-May-2024 01:17:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[14-May-2024 17:44:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[14-May-2024 17:57:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[14-May-2024 18:06:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[16-May-2024 16:48:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[16-May-2024 16:53:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[16-May-2024 17:02:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[29-May-2024 11:18:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[29-May-2024 22:06:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[01-Jun-2024 10:18:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[11-Jun-2024 10:00:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[11-Jun-2024 17:13:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[15-Jun-2024 20:11:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[15-Jun-2024 23:15:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[15-Jun-2024 23:17:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[18-Jun-2024 20:21:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[18-Jun-2024 20:23:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[18-Jun-2024 20:24:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[19-Jun-2024 05:22:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[19-Jun-2024 05:24:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[19-Jun-2024 05:25:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[19-Jun-2024 16:45:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[19-Jun-2024 16:47:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[19-Jun-2024 16:48:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[20-Jun-2024 14:37:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[03-Jul-2024 08:57:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[03-Jul-2024 14:44:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[08-Jul-2024 20:56:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[12-Jul-2024 20:19:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[18-Jul-2024 18:45:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[19-Jul-2024 10:11:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[19-Jul-2024 14:13:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[19-Jul-2024 16:54:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[22-Jul-2024 19:22:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[22-Jul-2024 19:35:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[22-Jul-2024 19:45:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[25-Jul-2024 03:45:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[30-Jul-2024 08:22:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[05-Aug-2024 09:58:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[10-Aug-2024 01:52:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[10-Aug-2024 06:15:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[15-Aug-2024 02:33:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[15-Aug-2024 03:05:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[15-Aug-2024 06:51:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[21-Aug-2024 02:57:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[21-Aug-2024 05:09:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[21-Aug-2024 09:07:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[22-Aug-2024 02:49:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[22-Aug-2024 04:29:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[22-Aug-2024 09:38:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[24-Aug-2024 09:46:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[30-Aug-2024 23:48:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[31-Aug-2024 10:29:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[01-Sep-2024 06:49:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[01-Sep-2024 12:10:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[01-Sep-2024 23:09:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[01-Sep-2024 23:33:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[01-Sep-2024 23:47:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[09-Sep-2024 08:57:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[11-Sep-2024 15:22:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[11-Sep-2024 15:22:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[11-Sep-2024 15:24:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[11-Sep-2024 15:24:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[11-Sep-2024 15:25:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[11-Sep-2024 15:25:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[15-Sep-2024 21:08:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[16-Sep-2024 19:06:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[17-Sep-2024 00:17:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[17-Sep-2024 13:07:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[20-Sep-2024 07:35:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[02-Oct-2024 20:28:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[03-Oct-2024 18:59:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[07-Oct-2024 21:35:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[09-Oct-2024 02:25:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[09-Oct-2024 02:37:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[09-Oct-2024 21:37:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[18-Oct-2024 04:26:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[19-Oct-2024 07:17:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[24-Oct-2024 04:31:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[29-Oct-2024 03:04:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[29-Oct-2024 03:22:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[29-Oct-2024 03:32:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[02-Nov-2024 11:50:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[06-Nov-2024 13:50:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[06-Nov-2024 13:57:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[06-Nov-2024 14:03:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
[09-Nov-2024 05:27:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[09-Nov-2024 05:29:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/BarNodeDefinition.php on line 17
[09-Nov-2024 05:33:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/VariableNodeDefinition.php on line 16
config/Tests/Fixtures/Builder/BarNodeDefinition.php 0000644 00000001056 14716422132 0016352 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Builder;
use Symfony\Component\Config\Definition\Builder\NodeDefinition;
use Symfony\Component\Config\Tests\Fixtures\BarNode;
class BarNodeDefinition extends NodeDefinition
{
protected function createNode()
{
return new BarNode($this->name);
}
}
config/Tests/Fixtures/Builder/NodeBuilder.php 0000644 00000001563 14716422132 0015226 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Builder;
use Symfony\Component\Config\Definition\Builder\NodeBuilder as BaseNodeBuilder;
class NodeBuilder extends BaseNodeBuilder
{
public function barNode($name)
{
return $this->node($name, 'bar');
}
protected function getNodeClass($type)
{
switch ($type) {
case 'variable':
return __NAMESPACE__.'\\'.ucfirst($type).'NodeDefinition';
case 'bar':
return __NAMESPACE__.'\\'.ucfirst($type).'NodeDefinition';
default:
return parent::getNodeClass($type);
}
}
}
config/Tests/ConfigCacheFactoryTest.php 0000644 00000001367 14716422132 0014156 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\ConfigCacheFactory;
class ConfigCacheFactoryTest extends TestCase
{
/**
* @expectedException \InvalidArgumentException
* @expectedExceptionMessage Invalid type for callback argument. Expected callable, but got "object".
*/
public function testCachWithInvalidCallback()
{
$cacheFactory = new ConfigCacheFactory(true);
$cacheFactory->cache('file', new \stdClass());
}
}
config/Tests/DependencyInjection/error_log; 0000644 00000026044 14716422132 0015054 0 ustar 00 [30-Sep-2023 12:04:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[01-Oct-2023 15:35:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[01-Oct-2023 17:57:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[24-Nov-2023 23:23:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[26-Nov-2023 09:20:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[27-Nov-2023 02:05:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[27-Nov-2023 10:11:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[27-Dec-2023 21:24:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[30-Dec-2023 12:15:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[19-Feb-2024 06:47:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[22-Feb-2024 05:00:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[07-Apr-2024 17:09:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[21-Apr-2024 13:31:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[26-Apr-2024 23:58:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[29-Apr-2024 03:27:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[05-May-2024 09:45:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[05-May-2024 11:01:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[05-May-2024 19:43:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[14-May-2024 15:20:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[04-Jun-2024 09:05:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[05-Jun-2024 07:16:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[14-Jun-2024 16:05:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[15-Jun-2024 22:25:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[18-Jun-2024 20:09:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[19-Jun-2024 05:11:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[19-Jun-2024 16:34:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[09-Jul-2024 08:41:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[10-Jul-2024 02:13:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[22-Jul-2024 18:19:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[01-Aug-2024 21:52:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[15-Aug-2024 00:01:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[15-Aug-2024 02:30:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[18-Aug-2024 12:45:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[19-Aug-2024 05:04:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[21-Aug-2024 02:29:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[22-Aug-2024 02:14:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[01-Sep-2024 12:02:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[01-Sep-2024 22:00:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[02-Sep-2024 16:04:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[02-Sep-2024 16:04:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[04-Sep-2024 14:45:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[17-Sep-2024 00:16:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[21-Sep-2024 10:18:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[26-Sep-2024 10:35:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[06-Oct-2024 18:57:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[29-Oct-2024 02:40:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[29-Oct-2024 09:12:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[29-Oct-2024 20:34:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[06-Nov-2024 13:30:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
[09-Nov-2024 04:19:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/DependencyInjection/ConfigCachePassTest.php on line 20
config/Tests/DependencyInjection/ConfigCachePassTest.php 0000644 00000003567 14716422132 0017402 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\DependencyInjection;
use PHPUnit\Framework\TestCase;
use Symfony\Component\DependencyInjection\Argument\IteratorArgument;
use Symfony\Component\DependencyInjection\ContainerBuilder;
use Symfony\Component\DependencyInjection\Reference;
use Symfony\Component\Config\DependencyInjection\ConfigCachePass;
class ConfigCachePassTest extends TestCase
{
public function testThatCheckersAreProcessedInPriorityOrder()
{
$container = new ContainerBuilder();
$definition = $container->register('config_cache_factory')->addArgument(null);
$container->register('checker_2')->addTag('config_cache.resource_checker', array('priority' => 100));
$container->register('checker_1')->addTag('config_cache.resource_checker', array('priority' => 200));
$container->register('checker_3')->addTag('config_cache.resource_checker');
$pass = new ConfigCachePass();
$pass->process($container);
$expected = new IteratorArgument(array(
new Reference('checker_1'),
new Reference('checker_2'),
new Reference('checker_3'),
));
$this->assertEquals($expected, $definition->getArgument(0));
}
public function testThatCheckersCanBeMissing()
{
$container = $this->getMockBuilder('Symfony\Component\DependencyInjection\ContainerBuilder')->setMethods(array('findTaggedServiceIds'))->getMock();
$container->expects($this->atLeastOnce())
->method('findTaggedServiceIds')
->will($this->returnValue(array()));
$pass = new ConfigCachePass();
$pass->process($container);
}
}
config/Tests/Loader/FileLoaderTest.php 0000644 00000011127 14716422132 0013704 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Loader;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\FileLocator;
use Symfony\Component\Config\Loader\FileLoader;
use Symfony\Component\Config\Loader\LoaderResolver;
class FileLoaderTest extends TestCase
{
public function testImportWithFileLocatorDelegation()
{
$locatorMock = $this->getMockBuilder('Symfony\Component\Config\FileLocatorInterface')->getMock();
$locatorMockForAdditionalLoader = $this->getMockBuilder('Symfony\Component\Config\FileLocatorInterface')->getMock();
$locatorMockForAdditionalLoader->expects($this->any())->method('locate')->will($this->onConsecutiveCalls(
array('path/to/file1'), // Default
array('path/to/file1', 'path/to/file2'), // First is imported
array('path/to/file1', 'path/to/file2'), // Second is imported
array('path/to/file1'), // Exception
array('path/to/file1', 'path/to/file2') // Exception
));
$fileLoader = new TestFileLoader($locatorMock);
$fileLoader->setSupports(false);
$fileLoader->setCurrentDir('.');
$additionalLoader = new TestFileLoader($locatorMockForAdditionalLoader);
$additionalLoader->setCurrentDir('.');
$fileLoader->setResolver($loaderResolver = new LoaderResolver(array($fileLoader, $additionalLoader)));
// Default case
$this->assertSame('path/to/file1', $fileLoader->import('my_resource'));
// Check first file is imported if not already loading
$this->assertSame('path/to/file1', $fileLoader->import('my_resource'));
// Check second file is imported if first is already loading
$fileLoader->addLoading('path/to/file1');
$this->assertSame('path/to/file2', $fileLoader->import('my_resource'));
// Check exception throws if first (and only available) file is already loading
try {
$fileLoader->import('my_resource');
$this->fail('->import() throws a FileLoaderImportCircularReferenceException if the resource is already loading');
} catch (\Exception $e) {
$this->assertInstanceOf('Symfony\Component\Config\Exception\FileLoaderImportCircularReferenceException', $e, '->import() throws a FileLoaderImportCircularReferenceException if the resource is already loading');
}
// Check exception throws if all files are already loading
try {
$fileLoader->addLoading('path/to/file2');
$fileLoader->import('my_resource');
$this->fail('->import() throws a FileLoaderImportCircularReferenceException if the resource is already loading');
} catch (\Exception $e) {
$this->assertInstanceOf('Symfony\Component\Config\Exception\FileLoaderImportCircularReferenceException', $e, '->import() throws a FileLoaderImportCircularReferenceException if the resource is already loading');
}
}
public function testImportWithGlobLikeResource()
{
$locatorMock = $this->getMockBuilder('Symfony\Component\Config\FileLocatorInterface')->getMock();
$loader = new TestFileLoader($locatorMock);
$this->assertSame('[foo]', $loader->import('[foo]'));
}
public function testImportWithNoGlobMatch()
{
$locatorMock = $this->getMockBuilder('Symfony\Component\Config\FileLocatorInterface')->getMock();
$loader = new TestFileLoader($locatorMock);
$this->assertNull($loader->import('./*.abc'));
}
public function testImportWithSimpleGlob()
{
$loader = new TestFileLoader(new FileLocator(__DIR__));
$this->assertSame(__FILE__, strtr($loader->import('FileLoaderTest.*'), '/', DIRECTORY_SEPARATOR));
}
}
class TestFileLoader extends FileLoader
{
private $supports = true;
public function load($resource, $type = null)
{
return $resource;
}
public function supports($resource, $type = null)
{
return $this->supports;
}
public function addLoading($resource)
{
self::$loading[$resource] = true;
}
public function removeLoading($resource)
{
unset(self::$loading[$resource]);
}
public function clearLoading()
{
self::$loading = array();
}
public function setSupports($supports)
{
$this->supports = $supports;
}
}
config/Tests/Loader/LoaderResolverTest.php 0000644 00000003414 14716422132 0014626 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Loader;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Loader\LoaderResolver;
class LoaderResolverTest extends TestCase
{
public function testConstructor()
{
$resolver = new LoaderResolver(array(
$loader = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock(),
));
$this->assertEquals(array($loader), $resolver->getLoaders(), '__construct() takes an array of loaders as its first argument');
}
public function testResolve()
{
$loader = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock();
$resolver = new LoaderResolver(array($loader));
$this->assertFalse($resolver->resolve('foo.foo'), '->resolve() returns false if no loader is able to load the resource');
$loader = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock();
$loader->expects($this->once())->method('supports')->will($this->returnValue(true));
$resolver = new LoaderResolver(array($loader));
$this->assertEquals($loader, $resolver->resolve(function () {}), '->resolve() returns the loader for the given resource');
}
public function testLoaders()
{
$resolver = new LoaderResolver();
$resolver->addLoader($loader = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock());
$this->assertEquals(array($loader), $resolver->getLoaders(), 'addLoader() adds a loader');
}
}
config/Tests/Loader/error_log; 0000644 00000124234 14716422132 0012341 0 ustar 00 [11-Sep-2023 14:56:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[15-Sep-2023 15:45:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[17-Sep-2023 09:46:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[01-Oct-2023 15:33:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[01-Oct-2023 15:33:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[01-Oct-2023 15:33:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[01-Oct-2023 15:33:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[01-Oct-2023 17:57:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[01-Oct-2023 17:57:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[01-Oct-2023 17:57:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[01-Oct-2023 17:57:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[18-Nov-2023 04:39:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[22-Nov-2023 04:20:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[22-Nov-2023 11:32:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[26-Nov-2023 03:17:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[26-Nov-2023 03:17:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[26-Nov-2023 03:17:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[26-Nov-2023 03:17:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[26-Nov-2023 13:15:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[26-Nov-2023 13:15:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[26-Nov-2023 13:15:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[26-Nov-2023 13:15:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[27-Nov-2023 04:49:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[27-Nov-2023 06:21:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[27-Nov-2023 06:22:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[27-Nov-2023 06:22:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[27-Nov-2023 06:22:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[28-Nov-2023 12:17:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[28-Nov-2023 12:17:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[28-Nov-2023 12:18:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[28-Nov-2023 12:18:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[04-Jan-2024 18:17:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[05-Jan-2024 22:13:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[06-Jan-2024 18:29:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[10-Jan-2024 04:04:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[16-Jan-2024 19:43:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[17-Jan-2024 01:42:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[20-Feb-2024 01:58:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[20-Feb-2024 22:07:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[21-Feb-2024 18:08:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[21-Feb-2024 21:40:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[27-Feb-2024 17:36:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[27-Feb-2024 17:39:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[27-Feb-2024 17:46:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[27-Feb-2024 18:22:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[01-Mar-2024 12:57:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[03-Mar-2024 00:03:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[13-Mar-2024 07:31:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[15-Mar-2024 12:14:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[11-Apr-2024 05:26:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[11-Apr-2024 07:11:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[11-Apr-2024 12:15:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[28-Apr-2024 16:36:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[28-Apr-2024 19:47:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[28-Apr-2024 21:44:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[30-Apr-2024 13:43:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[04-May-2024 22:15:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[04-May-2024 22:32:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[04-May-2024 23:02:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[04-May-2024 23:19:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[04-May-2024 23:30:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[05-May-2024 01:59:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[05-May-2024 02:35:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[05-May-2024 05:21:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[05-May-2024 08:28:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[05-May-2024 08:58:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[05-May-2024 09:14:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[05-May-2024 09:25:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[05-May-2024 17:26:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[05-May-2024 18:39:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[05-May-2024 19:08:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[05-May-2024 19:14:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[05-May-2024 19:24:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[06-May-2024 21:45:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[13-May-2024 12:08:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[14-May-2024 01:39:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[14-May-2024 09:11:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[14-May-2024 13:13:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[14-May-2024 14:11:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[14-May-2024 14:33:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[14-May-2024 14:50:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[20-May-2024 02:13:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[20-May-2024 03:13:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[26-May-2024 01:05:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[26-May-2024 02:02:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[05-Jun-2024 05:29:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[05-Jun-2024 05:53:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[05-Jun-2024 06:18:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[06-Jun-2024 10:57:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[10-Jun-2024 21:31:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[12-Jun-2024 13:56:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[14-Jun-2024 16:02:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[14-Jun-2024 16:03:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[14-Jun-2024 16:04:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[14-Jun-2024 16:04:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[15-Jun-2024 01:57:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[15-Jun-2024 06:37:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[15-Jun-2024 08:39:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[15-Jun-2024 11:53:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[15-Jun-2024 23:37:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[18-Jun-2024 19:48:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[18-Jun-2024 19:57:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[18-Jun-2024 20:00:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[18-Jun-2024 20:04:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[19-Jun-2024 04:49:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[19-Jun-2024 04:58:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[19-Jun-2024 05:01:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[19-Jun-2024 05:05:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[19-Jun-2024 16:13:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[19-Jun-2024 16:21:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[19-Jun-2024 16:24:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[19-Jun-2024 16:28:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[21-Jun-2024 09:09:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[21-Jun-2024 10:27:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[02-Jul-2024 09:31:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[09-Jul-2024 02:25:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[11-Jul-2024 15:58:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[13-Jul-2024 11:03:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[13-Jul-2024 14:23:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[13-Jul-2024 20:54:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[15-Jul-2024 03:44:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[17-Jul-2024 19:03:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[19-Jul-2024 08:23:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[19-Jul-2024 08:42:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[19-Jul-2024 08:50:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[22-Jul-2024 17:08:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[22-Jul-2024 17:36:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[22-Jul-2024 17:52:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[22-Jul-2024 18:02:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[23-Jul-2024 20:42:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[27-Jul-2024 16:37:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[30-Jul-2024 07:31:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[01-Aug-2024 21:31:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[15-Aug-2024 02:41:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[18-Aug-2024 05:27:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[18-Aug-2024 08:55:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[18-Aug-2024 10:39:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[21-Aug-2024 00:22:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[21-Aug-2024 03:13:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[22-Aug-2024 03:39:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[24-Aug-2024 04:00:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[24-Aug-2024 06:22:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[24-Aug-2024 08:35:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[24-Aug-2024 15:45:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[24-Aug-2024 18:26:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[25-Aug-2024 09:20:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[25-Aug-2024 16:34:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[30-Aug-2024 15:14:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[30-Aug-2024 15:14:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[30-Aug-2024 16:50:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[30-Aug-2024 16:50:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[30-Aug-2024 16:57:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[30-Aug-2024 16:57:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[30-Aug-2024 17:03:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[30-Aug-2024 17:03:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[31-Aug-2024 00:05:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[01-Sep-2024 20:04:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[01-Sep-2024 20:43:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[01-Sep-2024 21:13:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[01-Sep-2024 21:29:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[01-Sep-2024 21:40:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[03-Sep-2024 09:30:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[04-Sep-2024 11:37:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[04-Sep-2024 13:28:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[09-Sep-2024 20:24:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[14-Sep-2024 05:18:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[16-Sep-2024 15:30:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[18-Sep-2024 03:33:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[20-Sep-2024 09:46:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[25-Sep-2024 04:11:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[27-Sep-2024 20:40:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[01-Oct-2024 10:49:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[01-Oct-2024 13:02:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[01-Oct-2024 13:13:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[01-Oct-2024 15:32:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[02-Oct-2024 05:04:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[02-Oct-2024 16:45:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[02-Oct-2024 21:15:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[03-Oct-2024 01:17:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[03-Oct-2024 21:25:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[04-Oct-2024 01:43:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[04-Oct-2024 08:56:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[10-Oct-2024 17:22:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[12-Oct-2024 05:22:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[14-Oct-2024 00:25:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[23-Oct-2024 15:58:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[23-Oct-2024 17:10:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[29-Oct-2024 01:42:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[29-Oct-2024 02:09:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[29-Oct-2024 02:14:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[29-Oct-2024 02:23:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[01-Nov-2024 22:15:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[05-Nov-2024 10:28:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[05-Nov-2024 15:39:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[06-Nov-2024 05:52:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[06-Nov-2024 12:27:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[06-Nov-2024 12:58:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[06-Nov-2024 13:04:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[06-Nov-2024 13:12:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[07-Nov-2024 11:19:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[09-Nov-2024 04:02:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderTest.php on line 17
[09-Nov-2024 04:11:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/LoaderResolverTest.php on line 17
[09-Nov-2024 04:13:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/FileLoaderTest.php on line 19
[09-Nov-2024 04:16:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[10-Nov-2024 08:02:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
[11-Nov-2024 04:39:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Loader/DelegatingLoaderTest.php on line 18
config/Tests/Loader/LoaderTest.php 0000644 00000007335 14716422132 0013112 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Loader;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Loader\Loader;
class LoaderTest extends TestCase
{
public function testGetSetResolver()
{
$resolver = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderResolverInterface')->getMock();
$loader = new ProjectLoader1();
$loader->setResolver($resolver);
$this->assertSame($resolver, $loader->getResolver(), '->setResolver() sets the resolver loader');
}
public function testResolve()
{
$resolvedLoader = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock();
$resolver = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderResolverInterface')->getMock();
$resolver->expects($this->once())
->method('resolve')
->with('foo.xml')
->will($this->returnValue($resolvedLoader));
$loader = new ProjectLoader1();
$loader->setResolver($resolver);
$this->assertSame($loader, $loader->resolve('foo.foo'), '->resolve() finds a loader');
$this->assertSame($resolvedLoader, $loader->resolve('foo.xml'), '->resolve() finds a loader');
}
/**
* @expectedException \Symfony\Component\Config\Exception\FileLoaderLoadException
*/
public function testResolveWhenResolverCannotFindLoader()
{
$resolver = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderResolverInterface')->getMock();
$resolver->expects($this->once())
->method('resolve')
->with('FOOBAR')
->will($this->returnValue(false));
$loader = new ProjectLoader1();
$loader->setResolver($resolver);
$loader->resolve('FOOBAR');
}
public function testImport()
{
$resolvedLoader = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock();
$resolvedLoader->expects($this->once())
->method('load')
->with('foo')
->will($this->returnValue('yes'));
$resolver = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderResolverInterface')->getMock();
$resolver->expects($this->once())
->method('resolve')
->with('foo')
->will($this->returnValue($resolvedLoader));
$loader = new ProjectLoader1();
$loader->setResolver($resolver);
$this->assertEquals('yes', $loader->import('foo'));
}
public function testImportWithType()
{
$resolvedLoader = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock();
$resolvedLoader->expects($this->once())
->method('load')
->with('foo', 'bar')
->will($this->returnValue('yes'));
$resolver = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderResolverInterface')->getMock();
$resolver->expects($this->once())
->method('resolve')
->with('foo', 'bar')
->will($this->returnValue($resolvedLoader));
$loader = new ProjectLoader1();
$loader->setResolver($resolver);
$this->assertEquals('yes', $loader->import('foo', 'bar'));
}
}
class ProjectLoader1 extends Loader
{
public function load($resource, $type = null)
{
}
public function supports($resource, $type = null)
{
return is_string($resource) && 'foo' === pathinfo($resource, PATHINFO_EXTENSION);
}
public function getType()
{
}
}
config/Tests/Loader/DelegatingLoaderTest.php 0000644 00000005540 14716422132 0015072 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Loader;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Loader\LoaderResolver;
use Symfony\Component\Config\Loader\DelegatingLoader;
class DelegatingLoaderTest extends TestCase
{
public function testConstructor()
{
$loader = new DelegatingLoader($resolver = new LoaderResolver());
$this->assertTrue(true, '__construct() takes a loader resolver as its first argument');
}
public function testGetSetResolver()
{
$resolver = new LoaderResolver();
$loader = new DelegatingLoader($resolver);
$this->assertSame($resolver, $loader->getResolver(), '->getResolver() gets the resolver loader');
$loader->setResolver($resolver = new LoaderResolver());
$this->assertSame($resolver, $loader->getResolver(), '->setResolver() sets the resolver loader');
}
public function testSupports()
{
$loader1 = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock();
$loader1->expects($this->once())->method('supports')->will($this->returnValue(true));
$loader = new DelegatingLoader(new LoaderResolver(array($loader1)));
$this->assertTrue($loader->supports('foo.xml'), '->supports() returns true if the resource is loadable');
$loader1 = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock();
$loader1->expects($this->once())->method('supports')->will($this->returnValue(false));
$loader = new DelegatingLoader(new LoaderResolver(array($loader1)));
$this->assertFalse($loader->supports('foo.foo'), '->supports() returns false if the resource is not loadable');
}
public function testLoad()
{
$loader = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock();
$loader->expects($this->once())->method('supports')->will($this->returnValue(true));
$loader->expects($this->once())->method('load');
$resolver = new LoaderResolver(array($loader));
$loader = new DelegatingLoader($resolver);
$loader->load('foo');
}
/**
* @expectedException \Symfony\Component\Config\Exception\FileLoaderLoadException
*/
public function testLoadThrowsAnExceptionIfTheResourceCannotBeLoaded()
{
$loader = $this->getMockBuilder('Symfony\Component\Config\Loader\LoaderInterface')->getMock();
$loader->expects($this->once())->method('supports')->will($this->returnValue(false));
$resolver = new LoaderResolver(array($loader));
$loader = new DelegatingLoader($resolver);
$loader->load('foo');
}
}
config/Tests/error_log; 0000644 00000140227 14716422132 0011133 0 ustar 00 [16-Sep-2023 10:46:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[21-Sep-2023 00:27:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[29-Sep-2023 12:47:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[29-Sep-2023 12:47:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[29-Sep-2023 12:47:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[29-Sep-2023 12:47:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[29-Sep-2023 15:52:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[29-Sep-2023 15:52:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[29-Sep-2023 15:52:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[29-Sep-2023 15:52:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[30-Sep-2023 17:57:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[30-Sep-2023 17:57:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[30-Sep-2023 17:57:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[30-Sep-2023 17:57:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[30-Sep-2023 19:25:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[30-Sep-2023 19:25:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[30-Sep-2023 19:25:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[30-Sep-2023 19:25:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[15-Nov-2023 12:20:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[19-Nov-2023 17:14:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[21-Nov-2023 23:07:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[21-Nov-2023 23:07:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[21-Nov-2023 23:07:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[21-Nov-2023 23:07:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[22-Nov-2023 17:16:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[23-Nov-2023 00:05:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[23-Nov-2023 00:05:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[23-Nov-2023 00:05:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[23-Nov-2023 00:05:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[23-Nov-2023 02:39:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[23-Nov-2023 02:39:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[23-Nov-2023 02:39:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[23-Nov-2023 02:39:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[24-Nov-2023 03:16:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[24-Nov-2023 03:16:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[24-Nov-2023 03:16:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[24-Nov-2023 03:16:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[26-Nov-2023 10:16:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[26-Nov-2023 10:16:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[29-Nov-2023 22:04:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[08-Dec-2023 22:48:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[30-Dec-2023 23:38:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[02-Jan-2024 16:17:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[06-Jan-2024 01:26:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[07-Jan-2024 20:23:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[12-Jan-2024 04:04:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[16-Jan-2024 14:47:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[09-Feb-2024 01:29:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[13-Feb-2024 00:41:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[13-Feb-2024 07:29:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[13-Feb-2024 07:41:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[14-Feb-2024 09:13:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[15-Feb-2024 10:33:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[17-Feb-2024 00:28:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[17-Feb-2024 02:13:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[18-Feb-2024 08:59:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[18-Feb-2024 19:50:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[27-Feb-2024 14:36:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[27-Feb-2024 14:46:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[28-Feb-2024 09:12:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[28-Feb-2024 09:12:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[07-Mar-2024 19:16:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[08-Mar-2024 12:10:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[18-Mar-2024 02:43:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[02-Apr-2024 10:02:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[11-Apr-2024 06:54:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[11-Apr-2024 07:29:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[19-Apr-2024 13:45:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[20-Apr-2024 21:18:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[22-Apr-2024 05:39:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[23-Apr-2024 04:26:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[23-Apr-2024 10:17:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[27-Apr-2024 22:52:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[28-Apr-2024 07:28:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[03-May-2024 10:05:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[04-May-2024 08:33:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[04-May-2024 22:06:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[04-May-2024 22:06:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[04-May-2024 22:06:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[04-May-2024 22:06:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[04-May-2024 22:18:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[04-May-2024 22:29:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[05-May-2024 04:55:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[05-May-2024 08:03:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[05-May-2024 08:03:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[05-May-2024 08:03:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[05-May-2024 08:03:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[05-May-2024 18:14:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[05-May-2024 18:14:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[05-May-2024 18:14:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[05-May-2024 18:14:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[14-May-2024 12:32:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[14-May-2024 12:32:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[14-May-2024 12:32:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[14-May-2024 12:32:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[20-May-2024 07:33:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[20-May-2024 09:53:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[24-May-2024 01:27:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[25-May-2024 14:03:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[26-May-2024 00:34:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[26-May-2024 01:10:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[28-May-2024 15:45:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[29-May-2024 01:46:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[29-May-2024 02:24:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[02-Jun-2024 21:15:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[04-Jun-2024 13:32:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[08-Jun-2024 21:27:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[08-Jun-2024 22:08:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[14-Jun-2024 16:01:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[14-Jun-2024 16:01:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[14-Jun-2024 16:01:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[14-Jun-2024 16:01:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[15-Jun-2024 03:55:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[15-Jun-2024 04:08:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[15-Jun-2024 12:41:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[15-Jun-2024 15:01:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[15-Jun-2024 20:14:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[18-Jun-2024 19:42:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[18-Jun-2024 19:42:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[18-Jun-2024 19:42:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[18-Jun-2024 19:42:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[19-Jun-2024 04:44:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[19-Jun-2024 04:44:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[19-Jun-2024 04:44:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[19-Jun-2024 04:44:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[19-Jun-2024 16:07:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[19-Jun-2024 16:07:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[19-Jun-2024 16:07:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[19-Jun-2024 16:07:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[21-Jun-2024 06:58:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[21-Jun-2024 08:29:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[27-Jun-2024 09:42:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[27-Jun-2024 09:53:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[27-Jun-2024 12:18:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[02-Jul-2024 10:16:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[02-Jul-2024 15:49:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[02-Jul-2024 22:52:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[03-Jul-2024 18:00:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[07-Jul-2024 16:44:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[09-Jul-2024 09:31:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[12-Jul-2024 11:51:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[12-Jul-2024 13:54:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[13-Jul-2024 00:00:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[15-Jul-2024 07:46:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[19-Jul-2024 04:00:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[22-Jul-2024 10:23:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[22-Jul-2024 16:38:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[22-Jul-2024 16:38:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[22-Jul-2024 16:39:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[22-Jul-2024 16:39:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[25-Jul-2024 06:16:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[27-Jul-2024 15:31:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[28-Jul-2024 09:03:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[01-Aug-2024 20:20:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[02-Aug-2024 17:55:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[07-Aug-2024 08:40:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[08-Aug-2024 07:09:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[08-Aug-2024 12:48:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[09-Aug-2024 07:28:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[10-Aug-2024 02:40:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[14-Aug-2024 07:13:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[17-Aug-2024 11:56:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[17-Aug-2024 13:23:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[17-Aug-2024 22:45:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[17-Aug-2024 23:45:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[18-Aug-2024 07:36:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[18-Aug-2024 08:55:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[18-Aug-2024 11:23:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[19-Aug-2024 04:00:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[23-Aug-2024 23:21:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[24-Aug-2024 13:46:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[30-Aug-2024 01:38:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[30-Aug-2024 14:19:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[30-Aug-2024 14:19:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[30-Aug-2024 14:19:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[30-Aug-2024 14:19:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[30-Aug-2024 14:21:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[30-Aug-2024 14:21:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[30-Aug-2024 14:21:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[30-Aug-2024 14:21:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[01-Sep-2024 20:17:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[01-Sep-2024 20:17:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[01-Sep-2024 20:17:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[01-Sep-2024 20:17:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[03-Sep-2024 11:21:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[04-Sep-2024 09:11:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[06-Sep-2024 17:27:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[08-Sep-2024 18:27:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[09-Sep-2024 20:24:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[14-Sep-2024 15:12:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[15-Sep-2024 10:36:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[15-Sep-2024 15:08:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[15-Sep-2024 15:13:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[16-Sep-2024 07:17:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[16-Sep-2024 10:33:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[20-Sep-2024 17:48:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[21-Sep-2024 02:21:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[22-Sep-2024 10:49:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[23-Sep-2024 18:17:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[25-Sep-2024 22:44:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[26-Sep-2024 05:17:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[27-Sep-2024 20:39:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[03-Oct-2024 01:12:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[08-Oct-2024 03:33:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[08-Oct-2024 20:42:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[17-Oct-2024 12:03:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[17-Oct-2024 14:07:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[17-Oct-2024 16:15:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[18-Oct-2024 05:02:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[18-Oct-2024 12:50:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[19-Oct-2024 11:06:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[19-Oct-2024 18:35:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[20-Oct-2024 04:11:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[21-Oct-2024 22:40:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[22-Oct-2024 17:47:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[23-Oct-2024 03:19:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[23-Oct-2024 15:16:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[24-Oct-2024 05:29:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[28-Oct-2024 07:07:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[28-Oct-2024 09:17:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[28-Oct-2024 09:40:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[28-Oct-2024 21:42:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[29-Oct-2024 01:30:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[29-Oct-2024 01:30:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[29-Oct-2024 01:30:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[29-Oct-2024 01:30:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[29-Oct-2024 18:39:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[02-Nov-2024 19:49:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[06-Nov-2024 12:11:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[06-Nov-2024 12:11:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[06-Nov-2024 12:11:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[06-Nov-2024 12:11:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[06-Nov-2024 22:26:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[09-Nov-2024 02:59:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/FileLocatorTest.php on line 17
[09-Nov-2024 02:59:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
[09-Nov-2024 03:01:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheFactoryTest.php on line 17
[09-Nov-2024 03:01:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ResourceCheckerConfigCacheTest.php on line 19
[09-Nov-2024 06:21:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/ConfigCacheTest.php on line 18
config/Tests/Definition/NormalizationTest.php 0000644 00000014405 14716422132 0015410 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\NodeInterface;
use Symfony\Component\Config\Definition\Builder\TreeBuilder;
class NormalizationTest extends TestCase
{
/**
* @dataProvider getEncoderTests
*/
public function testNormalizeEncoders($denormalized)
{
$tb = new TreeBuilder();
$tree = $tb
->root('root_name', 'array')
->fixXmlConfig('encoder')
->children()
->node('encoders', 'array')
->useAttributeAsKey('class')
->prototype('array')
->beforeNormalization()->ifString()->then(function ($v) { return array('algorithm' => $v); })->end()
->children()
->node('algorithm', 'scalar')->end()
->end()
->end()
->end()
->end()
->end()
->buildTree()
;
$normalized = array(
'encoders' => array(
'foo' => array('algorithm' => 'plaintext'),
),
);
$this->assertNormalized($tree, $denormalized, $normalized);
}
public function getEncoderTests()
{
$configs = array();
// XML
$configs[] = array(
'encoder' => array(
array('class' => 'foo', 'algorithm' => 'plaintext'),
),
);
// XML when only one element of this type
$configs[] = array(
'encoder' => array('class' => 'foo', 'algorithm' => 'plaintext'),
);
// YAML/PHP
$configs[] = array(
'encoders' => array(
array('class' => 'foo', 'algorithm' => 'plaintext'),
),
);
// YAML/PHP
$configs[] = array(
'encoders' => array(
'foo' => 'plaintext',
),
);
// YAML/PHP
$configs[] = array(
'encoders' => array(
'foo' => array('algorithm' => 'plaintext'),
),
);
return array_map(function ($v) {
return array($v);
}, $configs);
}
/**
* @dataProvider getAnonymousKeysTests
*/
public function testAnonymousKeysArray($denormalized)
{
$tb = new TreeBuilder();
$tree = $tb
->root('root', 'array')
->children()
->node('logout', 'array')
->fixXmlConfig('handler')
->children()
->node('handlers', 'array')
->prototype('scalar')->end()
->end()
->end()
->end()
->end()
->end()
->buildTree()
;
$normalized = array('logout' => array('handlers' => array('a', 'b', 'c')));
$this->assertNormalized($tree, $denormalized, $normalized);
}
public function getAnonymousKeysTests()
{
$configs = array();
$configs[] = array(
'logout' => array(
'handlers' => array('a', 'b', 'c'),
),
);
$configs[] = array(
'logout' => array(
'handler' => array('a', 'b', 'c'),
),
);
return array_map(function ($v) { return array($v); }, $configs);
}
/**
* @dataProvider getNumericKeysTests
*/
public function testNumericKeysAsAttributes($denormalized)
{
$normalized = array(
'thing' => array(42 => array('foo', 'bar'), 1337 => array('baz', 'qux')),
);
$this->assertNormalized($this->getNumericKeysTestTree(), $denormalized, $normalized);
}
public function getNumericKeysTests()
{
$configs = array();
$configs[] = array(
'thing' => array(
42 => array('foo', 'bar'), 1337 => array('baz', 'qux'),
),
);
$configs[] = array(
'thing' => array(
array('foo', 'bar', 'id' => 42), array('baz', 'qux', 'id' => 1337),
),
);
return array_map(function ($v) { return array($v); }, $configs);
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidConfigurationException
* @expectedExceptionMessage The attribute "id" must be set for path "root.thing".
*/
public function testNonAssociativeArrayThrowsExceptionIfAttributeNotSet()
{
$denormalized = array(
'thing' => array(
array('foo', 'bar'), array('baz', 'qux'),
),
);
$this->assertNormalized($this->getNumericKeysTestTree(), $denormalized, array());
}
public function testAssociativeArrayPreserveKeys()
{
$tb = new TreeBuilder();
$tree = $tb
->root('root', 'array')
->prototype('array')
->children()
->node('foo', 'scalar')->end()
->end()
->end()
->end()
->buildTree()
;
$data = array('first' => array('foo' => 'bar'));
$this->assertNormalized($tree, $data, $data);
}
public static function assertNormalized(NodeInterface $tree, $denormalized, $normalized)
{
self::assertSame($normalized, $tree->normalize($denormalized));
}
private function getNumericKeysTestTree()
{
$tb = new TreeBuilder();
$tree = $tb
->root('root', 'array')
->children()
->node('thing', 'array')
->useAttributeAsKey('id')
->prototype('array')
->prototype('scalar')->end()
->end()
->end()
->end()
->end()
->buildTree()
;
return $tree;
}
}
config/Tests/Definition/FinalizationTest.php 0000644 00000004137 14716422132 0015212 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\Builder\TreeBuilder;
use Symfony\Component\Config\Definition\Processor;
use Symfony\Component\Config\Definition\NodeInterface;
class FinalizationTest extends TestCase
{
public function testUnsetKeyWithDeepHierarchy()
{
$tb = new TreeBuilder();
$tree = $tb
->root('config', 'array')
->children()
->node('level1', 'array')
->canBeUnset()
->children()
->node('level2', 'array')
->canBeUnset()
->children()
->node('somevalue', 'scalar')->end()
->node('anothervalue', 'scalar')->end()
->end()
->end()
->node('level1_scalar', 'scalar')->end()
->end()
->end()
->end()
->end()
->buildTree()
;
$a = array(
'level1' => array(
'level2' => array(
'somevalue' => 'foo',
'anothervalue' => 'bar',
),
'level1_scalar' => 'foo',
),
);
$b = array(
'level1' => array(
'level2' => false,
),
);
$this->assertEquals(array(
'level1' => array(
'level1_scalar' => 'foo',
),
), $this->process($tree, array($a, $b)));
}
protected function process(NodeInterface $tree, array $configs)
{
$processor = new Processor();
return $processor->process($tree, $configs);
}
}
config/Tests/Definition/PrototypedArrayNodeTest.php 0000644 00000026775 14716422132 0016555 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\PrototypedArrayNode;
use Symfony\Component\Config\Definition\ArrayNode;
use Symfony\Component\Config\Definition\ScalarNode;
use Symfony\Component\Config\Definition\VariableNode;
class PrototypedArrayNodeTest extends TestCase
{
public function testGetDefaultValueReturnsAnEmptyArrayForPrototypes()
{
$node = new PrototypedArrayNode('root');
$prototype = new ArrayNode(null, $node);
$node->setPrototype($prototype);
$this->assertEmpty($node->getDefaultValue());
}
public function testGetDefaultValueReturnsDefaultValueForPrototypes()
{
$node = new PrototypedArrayNode('root');
$prototype = new ArrayNode(null, $node);
$node->setPrototype($prototype);
$node->setDefaultValue(array('test'));
$this->assertEquals(array('test'), $node->getDefaultValue());
}
// a remapped key (e.g. "mapping" -> "mappings") should be unset after being used
public function testRemappedKeysAreUnset()
{
$node = new ArrayNode('root');
$mappingsNode = new PrototypedArrayNode('mappings');
$node->addChild($mappingsNode);
// each item under mappings is just a scalar
$prototype = new ScalarNode(null, $mappingsNode);
$mappingsNode->setPrototype($prototype);
$remappings = array();
$remappings[] = array('mapping', 'mappings');
$node->setXmlRemappings($remappings);
$normalized = $node->normalize(array('mapping' => array('foo', 'bar')));
$this->assertEquals(array('mappings' => array('foo', 'bar')), $normalized);
}
/**
* Tests that when a key attribute is mapped, that key is removed from the array.
*
*
*
*
* The above should finally be mapped to an array that looks like this
* (because "id" is the key attribute).
*
* array(
* 'things' => array(
* 'option1' => 'foo',
* 'option2' => 'bar',
* )
* )
*/
public function testMappedAttributeKeyIsRemoved()
{
$node = new PrototypedArrayNode('root');
$node->setKeyAttribute('id', true);
// each item under the root is an array, with one scalar item
$prototype = new ArrayNode(null, $node);
$prototype->addChild(new ScalarNode('foo'));
$node->setPrototype($prototype);
$children = array();
$children[] = array('id' => 'item_name', 'foo' => 'bar');
$normalized = $node->normalize($children);
$expected = array();
$expected['item_name'] = array('foo' => 'bar');
$this->assertEquals($expected, $normalized);
}
/**
* Tests the opposite of the testMappedAttributeKeyIsRemoved because
* the removal can be toggled with an option.
*/
public function testMappedAttributeKeyNotRemoved()
{
$node = new PrototypedArrayNode('root');
$node->setKeyAttribute('id', false);
// each item under the root is an array, with two scalar items
$prototype = new ArrayNode(null, $node);
$prototype->addChild(new ScalarNode('foo'));
$prototype->addChild(new ScalarNode('id')); // the key attribute will remain
$node->setPrototype($prototype);
$children = array();
$children[] = array('id' => 'item_name', 'foo' => 'bar');
$normalized = $node->normalize($children);
$expected = array();
$expected['item_name'] = array('id' => 'item_name', 'foo' => 'bar');
$this->assertEquals($expected, $normalized);
}
public function testAddDefaultChildren()
{
$node = $this->getPrototypeNodeWithDefaultChildren();
$node->setAddChildrenIfNoneSet();
$this->assertTrue($node->hasDefaultValue());
$this->assertEquals(array(array('foo' => 'bar')), $node->getDefaultValue());
$node = $this->getPrototypeNodeWithDefaultChildren();
$node->setKeyAttribute('foobar');
$node->setAddChildrenIfNoneSet();
$this->assertTrue($node->hasDefaultValue());
$this->assertEquals(array('defaults' => array('foo' => 'bar')), $node->getDefaultValue());
$node = $this->getPrototypeNodeWithDefaultChildren();
$node->setKeyAttribute('foobar');
$node->setAddChildrenIfNoneSet('defaultkey');
$this->assertTrue($node->hasDefaultValue());
$this->assertEquals(array('defaultkey' => array('foo' => 'bar')), $node->getDefaultValue());
$node = $this->getPrototypeNodeWithDefaultChildren();
$node->setKeyAttribute('foobar');
$node->setAddChildrenIfNoneSet(array('defaultkey'));
$this->assertTrue($node->hasDefaultValue());
$this->assertEquals(array('defaultkey' => array('foo' => 'bar')), $node->getDefaultValue());
$node = $this->getPrototypeNodeWithDefaultChildren();
$node->setKeyAttribute('foobar');
$node->setAddChildrenIfNoneSet(array('dk1', 'dk2'));
$this->assertTrue($node->hasDefaultValue());
$this->assertEquals(array('dk1' => array('foo' => 'bar'), 'dk2' => array('foo' => 'bar')), $node->getDefaultValue());
$node = $this->getPrototypeNodeWithDefaultChildren();
$node->setAddChildrenIfNoneSet(array(5, 6));
$this->assertTrue($node->hasDefaultValue());
$this->assertEquals(array(0 => array('foo' => 'bar'), 1 => array('foo' => 'bar')), $node->getDefaultValue());
$node = $this->getPrototypeNodeWithDefaultChildren();
$node->setAddChildrenIfNoneSet(2);
$this->assertTrue($node->hasDefaultValue());
$this->assertEquals(array(array('foo' => 'bar'), array('foo' => 'bar')), $node->getDefaultValue());
}
public function testDefaultChildrenWinsOverDefaultValue()
{
$node = $this->getPrototypeNodeWithDefaultChildren();
$node->setAddChildrenIfNoneSet();
$node->setDefaultValue(array('bar' => 'foo'));
$this->assertTrue($node->hasDefaultValue());
$this->assertEquals(array(array('foo' => 'bar')), $node->getDefaultValue());
}
protected function getPrototypeNodeWithDefaultChildren()
{
$node = new PrototypedArrayNode('root');
$prototype = new ArrayNode(null, $node);
$child = new ScalarNode('foo');
$child->setDefaultValue('bar');
$prototype->addChild($child);
$prototype->setAddIfNotSet(true);
$node->setPrototype($prototype);
return $node;
}
/**
* Tests that when a key attribute is mapped, that key is removed from the array.
* And if only 'value' element is left in the array, it will replace its wrapper array.
*
*
*
*
* The above should finally be mapped to an array that looks like this
* (because "id" is the key attribute).
*
* array(
* 'things' => array(
* 'option1' => 'value1'
* )
* )
*
* It's also possible to mix 'value-only' and 'non-value-only' elements in the array.
*
*
*
*
* The above should finally be mapped to an array as follows
*
* array(
* 'things' => array(
* 'option1' => 'value1',
* 'option2' => array(
* 'value' => 'value2',
* 'foo' => 'foo2'
* )
* )
* )
*
* The 'value' element can also be ArrayNode:
*
*
*
*
*
* The above should be finally be mapped to an array as follows
*
* array(
* 'things' => array(
* 'option1' => array(
* 'foo' => 'foo1',
* 'bar' => 'bar1'
* )
* )
* )
*
* If using VariableNode for value node, it's also possible to mix different types of value nodes:
*
*
*
*
*
* The above should be finally mapped to an array as follows
*
* array(
* 'things' => array(
* 'option1' => array(
* 'foo' => 'foo1',
* 'bar' => 'bar1'
* ),
* 'option2' => 'value2'
* )
* )
*
*
* @dataProvider getDataForKeyRemovedLeftValueOnly
*/
public function testMappedAttributeKeyIsRemovedLeftValueOnly($value, $children, $expected)
{
$node = new PrototypedArrayNode('root');
$node->setKeyAttribute('id', true);
// each item under the root is an array, with one scalar item
$prototype = new ArrayNode(null, $node);
$prototype->addChild(new ScalarNode('id'));
$prototype->addChild(new ScalarNode('foo'));
$prototype->addChild($value);
$node->setPrototype($prototype);
$normalized = $node->normalize($children);
$this->assertEquals($expected, $normalized);
}
public function getDataForKeyRemovedLeftValueOnly()
{
$scalarValue = new ScalarNode('value');
$arrayValue = new ArrayNode('value');
$arrayValue->addChild(new ScalarNode('foo'));
$arrayValue->addChild(new ScalarNode('bar'));
$variableValue = new VariableNode('value');
return array(
array(
$scalarValue,
array(
array('id' => 'option1', 'value' => 'value1'),
),
array('option1' => 'value1'),
),
array(
$scalarValue,
array(
array('id' => 'option1', 'value' => 'value1'),
array('id' => 'option2', 'value' => 'value2', 'foo' => 'foo2'),
),
array(
'option1' => 'value1',
'option2' => array('value' => 'value2', 'foo' => 'foo2'),
),
),
array(
$arrayValue,
array(
array(
'id' => 'option1',
'value' => array('foo' => 'foo1', 'bar' => 'bar1'),
),
),
array(
'option1' => array('foo' => 'foo1', 'bar' => 'bar1'),
),
),
array($variableValue,
array(
array(
'id' => 'option1', 'value' => array('foo' => 'foo1', 'bar' => 'bar1'),
),
array('id' => 'option2', 'value' => 'value2'),
),
array(
'option1' => array('foo' => 'foo1', 'bar' => 'bar1'),
'option2' => 'value2',
),
),
);
}
}
config/Tests/Definition/FloatNodeTest.php 0000644 00000003500 14716422132 0014427 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\FloatNode;
class FloatNodeTest extends TestCase
{
/**
* @dataProvider getValidValues
*/
public function testNormalize($value)
{
$node = new FloatNode('test');
$this->assertSame($value, $node->normalize($value));
}
/**
* @dataProvider getValidValues
*
* @param int $value
*/
public function testValidNonEmptyValues($value)
{
$node = new FloatNode('test');
$node->setAllowEmptyValue(false);
$this->assertSame($value, $node->finalize($value));
}
public function getValidValues()
{
return array(
array(1798.0),
array(-678.987),
array(12.56E45),
array(0.0),
// Integer are accepted too, they will be cast
array(17),
array(-10),
array(0),
);
}
/**
* @dataProvider getInvalidValues
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidTypeException
*/
public function testNormalizeThrowsExceptionOnInvalidValues($value)
{
$node = new FloatNode('test');
$node->normalize($value);
}
public function getInvalidValues()
{
return array(
array(null),
array(''),
array('foo'),
array(true),
array(false),
array(array()),
array(array('foo' => 'bar')),
array(new \stdClass()),
);
}
}
config/Tests/Definition/ArrayNodeTest.php 0000644 00000015717 14716422132 0014455 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\ArrayNode;
use Symfony\Component\Config\Definition\Exception\InvalidConfigurationException;
use Symfony\Component\Config\Definition\ScalarNode;
class ArrayNodeTest extends TestCase
{
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidTypeException
*/
public function testNormalizeThrowsExceptionWhenFalseIsNotAllowed()
{
$node = new ArrayNode('root');
$node->normalize(false);
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidConfigurationException
* @expectedExceptionMessage Unrecognized option "foo" under "root"
*/
public function testExceptionThrownOnUnrecognizedChild()
{
$node = new ArrayNode('root');
$node->normalize(array('foo' => 'bar'));
}
public function ignoreAndRemoveMatrixProvider()
{
$unrecognizedOptionException = new InvalidConfigurationException('Unrecognized option "foo" under "root"');
return array(
array(true, true, array(), 'no exception is thrown for an unrecognized child if the ignoreExtraKeys option is set to true'),
array(true, false, array('foo' => 'bar'), 'extra keys are not removed when ignoreExtraKeys second option is set to false'),
array(false, true, $unrecognizedOptionException),
array(false, false, $unrecognizedOptionException),
);
}
/**
* @dataProvider ignoreAndRemoveMatrixProvider
*/
public function testIgnoreAndRemoveBehaviors($ignore, $remove, $expected, $message = '')
{
if ($expected instanceof \Exception) {
if (method_exists($this, 'expectException')) {
$this->expectException(get_class($expected));
$this->expectExceptionMessage($expected->getMessage());
} else {
$this->setExpectedException(get_class($expected), $expected->getMessage());
}
}
$node = new ArrayNode('root');
$node->setIgnoreExtraKeys($ignore, $remove);
$result = $node->normalize(array('foo' => 'bar'));
$this->assertSame($expected, $result, $message);
}
/**
* @dataProvider getPreNormalizationTests
*/
public function testPreNormalize($denormalized, $normalized)
{
$node = new ArrayNode('foo');
$r = new \ReflectionMethod($node, 'preNormalize');
$r->setAccessible(true);
$this->assertSame($normalized, $r->invoke($node, $denormalized));
}
public function getPreNormalizationTests()
{
return array(
array(
array('foo-bar' => 'foo'),
array('foo_bar' => 'foo'),
),
array(
array('foo-bar_moo' => 'foo'),
array('foo-bar_moo' => 'foo'),
),
array(
array('anything-with-dash-and-no-underscore' => 'first', 'no_dash' => 'second'),
array('anything_with_dash_and_no_underscore' => 'first', 'no_dash' => 'second'),
),
array(
array('foo-bar' => null, 'foo_bar' => 'foo'),
array('foo-bar' => null, 'foo_bar' => 'foo'),
),
);
}
/**
* @dataProvider getZeroNamedNodeExamplesData
*/
public function testNodeNameCanBeZero($denormalized, $normalized)
{
$zeroNode = new ArrayNode(0);
$zeroNode->addChild(new ScalarNode('name'));
$fiveNode = new ArrayNode(5);
$fiveNode->addChild(new ScalarNode(0));
$fiveNode->addChild(new ScalarNode('new_key'));
$rootNode = new ArrayNode('root');
$rootNode->addChild($zeroNode);
$rootNode->addChild($fiveNode);
$rootNode->addChild(new ScalarNode('string_key'));
$r = new \ReflectionMethod($rootNode, 'normalizeValue');
$r->setAccessible(true);
$this->assertSame($normalized, $r->invoke($rootNode, $denormalized));
}
public function getZeroNamedNodeExamplesData()
{
return array(
array(
array(
0 => array(
'name' => 'something',
),
5 => array(
0 => 'this won\'t work too',
'new_key' => 'some other value',
),
'string_key' => 'just value',
),
array(
0 => array(
'name' => 'something',
),
5 => array(
0 => 'this won\'t work too',
'new_key' => 'some other value',
),
'string_key' => 'just value',
),
),
);
}
/**
* @dataProvider getPreNormalizedNormalizedOrderedData
*/
public function testChildrenOrderIsMaintainedOnNormalizeValue($prenormalized, $normalized)
{
$scalar1 = new ScalarNode('1');
$scalar2 = new ScalarNode('2');
$scalar3 = new ScalarNode('3');
$node = new ArrayNode('foo');
$node->addChild($scalar1);
$node->addChild($scalar3);
$node->addChild($scalar2);
$r = new \ReflectionMethod($node, 'normalizeValue');
$r->setAccessible(true);
$this->assertSame($normalized, $r->invoke($node, $prenormalized));
}
public function getPreNormalizedNormalizedOrderedData()
{
return array(
array(
array('2' => 'two', '1' => 'one', '3' => 'three'),
array('2' => 'two', '1' => 'one', '3' => 'three'),
),
);
}
/**
* @expectedException \InvalidArgumentException
* @expectedExceptionMessage Child nodes must be named.
*/
public function testAddChildEmptyName()
{
$node = new ArrayNode('root');
$childNode = new ArrayNode('');
$node->addChild($childNode);
}
/**
* @expectedException \InvalidArgumentException
* @expectedExceptionMessage A child node named "foo" already exists.
*/
public function testAddChildNameAlreadyExists()
{
$node = new ArrayNode('root');
$childNode = new ArrayNode('foo');
$node->addChild($childNode);
$childNodeWithSameName = new ArrayNode('foo');
$node->addChild($childNodeWithSameName);
}
/**
* @expectedException \RuntimeException
* @expectedExceptionMessage The node at path "foo" has no default value.
*/
public function testGetDefaultValueWithoutDefaultValue()
{
$node = new ArrayNode('foo');
$node->getDefaultValue();
}
}
config/Tests/Definition/BooleanNodeTest.php 0000644 00000003272 14716422132 0014747 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\BooleanNode;
class BooleanNodeTest extends TestCase
{
/**
* @dataProvider getValidValues
*/
public function testNormalize($value)
{
$node = new BooleanNode('test');
$this->assertSame($value, $node->normalize($value));
}
/**
* @dataProvider getValidValues
*
* @param bool $value
*/
public function testValidNonEmptyValues($value)
{
$node = new BooleanNode('test');
$node->setAllowEmptyValue(false);
$this->assertSame($value, $node->finalize($value));
}
public function getValidValues()
{
return array(
array(false),
array(true),
);
}
/**
* @dataProvider getInvalidValues
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidTypeException
*/
public function testNormalizeThrowsExceptionOnInvalidValues($value)
{
$node = new BooleanNode('test');
$node->normalize($value);
}
public function getInvalidValues()
{
return array(
array(null),
array(''),
array('foo'),
array(0),
array(1),
array(0.0),
array(0.1),
array(array()),
array(array('foo' => 'bar')),
array(new \stdClass()),
);
}
}
config/Tests/Definition/MergeTest.php 0000644 00000012114 14716422132 0013614 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\Builder\TreeBuilder;
class MergeTest extends TestCase
{
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\ForbiddenOverwriteException
*/
public function testForbiddenOverwrite()
{
$tb = new TreeBuilder();
$tree = $tb
->root('root', 'array')
->children()
->node('foo', 'scalar')
->cannotBeOverwritten()
->end()
->end()
->end()
->buildTree()
;
$a = array(
'foo' => 'bar',
);
$b = array(
'foo' => 'moo',
);
$tree->merge($a, $b);
}
public function testUnsetKey()
{
$tb = new TreeBuilder();
$tree = $tb
->root('root', 'array')
->children()
->node('foo', 'scalar')->end()
->node('bar', 'scalar')->end()
->node('unsettable', 'array')
->canBeUnset()
->children()
->node('foo', 'scalar')->end()
->node('bar', 'scalar')->end()
->end()
->end()
->node('unsetted', 'array')
->canBeUnset()
->prototype('scalar')->end()
->end()
->end()
->end()
->buildTree()
;
$a = array(
'foo' => 'bar',
'unsettable' => array(
'foo' => 'a',
'bar' => 'b',
),
'unsetted' => false,
);
$b = array(
'foo' => 'moo',
'bar' => 'b',
'unsettable' => false,
'unsetted' => array('a', 'b'),
);
$this->assertEquals(array(
'foo' => 'moo',
'bar' => 'b',
'unsettable' => false,
'unsetted' => array('a', 'b'),
), $tree->merge($a, $b));
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidConfigurationException
*/
public function testDoesNotAllowNewKeysInSubsequentConfigs()
{
$tb = new TreeBuilder();
$tree = $tb
->root('config', 'array')
->children()
->node('test', 'array')
->disallowNewKeysInSubsequentConfigs()
->useAttributeAsKey('key')
->prototype('array')
->children()
->node('value', 'scalar')->end()
->end()
->end()
->end()
->end()
->end()
->buildTree();
$a = array(
'test' => array(
'a' => array('value' => 'foo'),
),
);
$b = array(
'test' => array(
'b' => array('value' => 'foo'),
),
);
$tree->merge($a, $b);
}
public function testPerformsNoDeepMerging()
{
$tb = new TreeBuilder();
$tree = $tb
->root('config', 'array')
->children()
->node('no_deep_merging', 'array')
->performNoDeepMerging()
->children()
->node('foo', 'scalar')->end()
->node('bar', 'scalar')->end()
->end()
->end()
->end()
->end()
->buildTree()
;
$a = array(
'no_deep_merging' => array(
'foo' => 'a',
'bar' => 'b',
),
);
$b = array(
'no_deep_merging' => array(
'c' => 'd',
),
);
$this->assertEquals(array(
'no_deep_merging' => array(
'c' => 'd',
),
), $tree->merge($a, $b));
}
public function testPrototypeWithoutAKeyAttribute()
{
$tb = new TreeBuilder();
$tree = $tb
->root('config', 'array')
->children()
->arrayNode('append_elements')
->prototype('scalar')->end()
->end()
->end()
->end()
->buildTree()
;
$a = array(
'append_elements' => array('a', 'b'),
);
$b = array(
'append_elements' => array('c', 'd'),
);
$this->assertEquals(array('append_elements' => array('a', 'b', 'c', 'd')), $tree->merge($a, $b));
}
}
config/Tests/Definition/IntegerNodeTest.php 0000644 00000003325 14716422132 0014764 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\IntegerNode;
class IntegerNodeTest extends TestCase
{
/**
* @dataProvider getValidValues
*/
public function testNormalize($value)
{
$node = new IntegerNode('test');
$this->assertSame($value, $node->normalize($value));
}
/**
* @dataProvider getValidValues
*
* @param int $value
*/
public function testValidNonEmptyValues($value)
{
$node = new IntegerNode('test');
$node->setAllowEmptyValue(false);
$this->assertSame($value, $node->finalize($value));
}
public function getValidValues()
{
return array(
array(1798),
array(-678),
array(0),
);
}
/**
* @dataProvider getInvalidValues
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidTypeException
*/
public function testNormalizeThrowsExceptionOnInvalidValues($value)
{
$node = new IntegerNode('test');
$node->normalize($value);
}
public function getInvalidValues()
{
return array(
array(null),
array(''),
array('foo'),
array(true),
array(false),
array(0.0),
array(0.1),
array(array()),
array(array('foo' => 'bar')),
array(new \stdClass()),
);
}
}
config/Tests/Definition/error_log; 0000644 00000310711 14716422132 0013220 0 ustar 00 [14-Sep-2023 11:05:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[17-Sep-2023 05:26:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[18-Sep-2023 09:49:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[20-Sep-2023 02:44:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[24-Sep-2023 11:45:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[24-Sep-2023 22:09:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[26-Sep-2023 13:25:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[01-Oct-2023 15:34:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[01-Oct-2023 15:34:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[01-Oct-2023 15:34:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[01-Oct-2023 15:34:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[01-Oct-2023 15:34:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[01-Oct-2023 15:34:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[01-Oct-2023 15:34:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[01-Oct-2023 15:34:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[01-Oct-2023 15:34:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[01-Oct-2023 15:34:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[01-Oct-2023 17:57:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[01-Oct-2023 17:57:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[01-Oct-2023 17:57:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[01-Oct-2023 17:57:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[01-Oct-2023 17:57:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[01-Oct-2023 17:57:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[01-Oct-2023 17:57:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[01-Oct-2023 17:57:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[01-Oct-2023 17:57:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[01-Oct-2023 17:57:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[05-Oct-2023 15:11:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[05-Nov-2023 23:41:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[07-Nov-2023 16:24:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[18-Nov-2023 16:07:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[26-Nov-2023 01:22:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[26-Nov-2023 01:22:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[26-Nov-2023 01:22:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[26-Nov-2023 01:22:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[26-Nov-2023 01:22:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[26-Nov-2023 01:22:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[26-Nov-2023 01:22:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[26-Nov-2023 01:22:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[26-Nov-2023 01:22:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[26-Nov-2023 01:22:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[26-Nov-2023 13:30:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[26-Nov-2023 13:30:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[26-Nov-2023 13:30:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[26-Nov-2023 13:30:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[26-Nov-2023 13:30:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[26-Nov-2023 13:30:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[26-Nov-2023 13:30:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[26-Nov-2023 13:30:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[26-Nov-2023 13:30:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[26-Nov-2023 13:30:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[27-Nov-2023 04:03:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[27-Nov-2023 14:41:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[27-Nov-2023 14:41:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[27-Nov-2023 14:41:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[27-Nov-2023 14:41:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[27-Nov-2023 14:41:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[27-Nov-2023 14:41:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[27-Nov-2023 14:41:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[27-Nov-2023 14:41:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[27-Nov-2023 14:41:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[27-Nov-2023 14:41:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[29-Nov-2023 11:03:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[29-Nov-2023 11:04:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[29-Nov-2023 11:04:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[29-Nov-2023 11:04:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[29-Nov-2023 11:04:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[29-Nov-2023 11:04:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[29-Nov-2023 11:04:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[29-Nov-2023 11:04:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[29-Nov-2023 11:04:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[29-Nov-2023 11:04:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[30-Nov-2023 02:36:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[30-Nov-2023 09:48:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[02-Dec-2023 21:52:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[05-Dec-2023 00:07:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[07-Dec-2023 21:40:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[30-Dec-2023 20:12:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[31-Dec-2023 10:56:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[02-Jan-2024 17:11:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[04-Jan-2024 13:25:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[14-Jan-2024 22:29:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[17-Jan-2024 18:32:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[21-Jan-2024 04:48:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[26-Jan-2024 10:32:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[27-Jan-2024 06:18:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[30-Jan-2024 10:49:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[11-Feb-2024 10:15:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[12-Feb-2024 12:05:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[12-Feb-2024 12:53:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[12-Feb-2024 12:57:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[12-Feb-2024 13:17:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[16-Feb-2024 04:30:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[16-Feb-2024 06:38:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[16-Feb-2024 07:50:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[16-Feb-2024 08:14:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[16-Feb-2024 08:34:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[16-Feb-2024 08:38:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[16-Feb-2024 08:42:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[16-Feb-2024 08:46:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[16-Feb-2024 08:54:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[16-Feb-2024 09:10:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[20-Feb-2024 17:34:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[22-Feb-2024 02:15:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[22-Feb-2024 03:09:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[22-Feb-2024 03:19:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[22-Feb-2024 10:26:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[22-Feb-2024 13:56:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[22-Feb-2024 16:37:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[22-Feb-2024 19:40:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[23-Feb-2024 00:07:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[23-Feb-2024 08:51:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[23-Feb-2024 16:12:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[26-Feb-2024 13:17:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[28-Feb-2024 09:05:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[28-Feb-2024 09:06:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[28-Feb-2024 09:09:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[28-Feb-2024 09:10:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[28-Feb-2024 09:11:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[28-Feb-2024 09:11:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[28-Feb-2024 09:11:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[28-Feb-2024 09:11:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[28-Feb-2024 09:11:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[28-Feb-2024 09:12:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[01-Mar-2024 21:27:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[07-Mar-2024 13:37:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[07-Mar-2024 20:16:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[17-Mar-2024 14:01:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[24-Mar-2024 12:19:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[26-Mar-2024 12:34:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[26-Mar-2024 12:34:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[31-Mar-2024 21:02:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[07-Apr-2024 17:52:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[09-Apr-2024 22:09:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[11-Apr-2024 00:01:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[11-Apr-2024 06:53:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[11-Apr-2024 11:10:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[11-Apr-2024 12:42:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[13-Apr-2024 05:29:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[18-Apr-2024 17:25:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[27-Apr-2024 21:28:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[28-Apr-2024 19:32:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[29-Apr-2024 08:59:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[29-Apr-2024 13:25:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[29-Apr-2024 15:08:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[29-Apr-2024 22:40:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[30-Apr-2024 00:01:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[30-Apr-2024 00:39:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[01-May-2024 08:46:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[01-May-2024 20:03:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[02-May-2024 20:12:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[03-May-2024 14:04:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[04-May-2024 22:51:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[04-May-2024 23:00:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[04-May-2024 23:00:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[04-May-2024 23:06:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[04-May-2024 23:06:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[04-May-2024 23:26:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[04-May-2024 23:33:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[04-May-2024 23:33:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[04-May-2024 23:33:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[04-May-2024 23:33:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[04-May-2024 23:58:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[05-May-2024 00:50:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[05-May-2024 02:21:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[05-May-2024 02:49:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[05-May-2024 03:08:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[05-May-2024 03:28:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[05-May-2024 03:54:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[05-May-2024 04:06:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[05-May-2024 04:37:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[05-May-2024 06:25:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[05-May-2024 08:47:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[05-May-2024 08:56:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[05-May-2024 08:56:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[05-May-2024 09:02:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[05-May-2024 09:02:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[05-May-2024 09:22:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[05-May-2024 09:28:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[05-May-2024 09:29:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[05-May-2024 09:29:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[05-May-2024 09:54:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[05-May-2024 18:58:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[05-May-2024 19:06:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[05-May-2024 19:06:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[05-May-2024 19:12:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[05-May-2024 19:12:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[05-May-2024 19:22:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[05-May-2024 19:27:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[05-May-2024 19:27:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[05-May-2024 19:28:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[05-May-2024 19:51:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[08-May-2024 23:36:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[14-May-2024 13:49:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[14-May-2024 14:08:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[14-May-2024 14:08:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[14-May-2024 14:19:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[14-May-2024 14:19:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[14-May-2024 14:46:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[14-May-2024 14:55:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[14-May-2024 14:55:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[14-May-2024 14:56:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[19-May-2024 23:25:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[20-May-2024 12:55:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[20-May-2024 19:08:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[20-May-2024 19:31:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[23-May-2024 02:30:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[24-May-2024 18:35:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[25-May-2024 19:10:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[26-May-2024 00:18:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[26-May-2024 00:44:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[26-May-2024 02:19:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[31-May-2024 09:04:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[02-Jun-2024 21:57:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[02-Jun-2024 22:18:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[04-Jun-2024 22:05:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[05-Jun-2024 10:41:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[05-Jun-2024 16:41:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[05-Jun-2024 18:23:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[05-Jun-2024 20:02:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[06-Jun-2024 06:14:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[06-Jun-2024 23:56:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[09-Jun-2024 06:56:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[09-Jun-2024 13:44:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[09-Jun-2024 14:13:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[09-Jun-2024 19:49:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[10-Jun-2024 02:07:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[10-Jun-2024 09:04:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[10-Jun-2024 19:37:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[14-Jun-2024 16:03:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[14-Jun-2024 16:03:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[14-Jun-2024 16:03:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[14-Jun-2024 16:04:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[14-Jun-2024 16:04:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[14-Jun-2024 16:04:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[14-Jun-2024 16:04:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[14-Jun-2024 16:04:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[14-Jun-2024 16:04:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[14-Jun-2024 16:05:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[15-Jun-2024 04:31:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[15-Jun-2024 06:40:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[15-Jun-2024 07:51:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[15-Jun-2024 08:48:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[15-Jun-2024 09:43:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[15-Jun-2024 10:07:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[15-Jun-2024 10:37:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[15-Jun-2024 10:51:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[15-Jun-2024 11:06:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[16-Jun-2024 02:11:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[18-Jun-2024 15:28:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[18-Jun-2024 19:53:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[18-Jun-2024 19:56:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[18-Jun-2024 19:56:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[18-Jun-2024 19:59:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[18-Jun-2024 19:59:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[18-Jun-2024 20:04:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[18-Jun-2024 20:06:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[18-Jun-2024 20:06:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[18-Jun-2024 20:06:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[18-Jun-2024 20:15:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[19-Jun-2024 04:54:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[19-Jun-2024 04:57:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[19-Jun-2024 04:57:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[19-Jun-2024 05:00:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[19-Jun-2024 05:00:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[19-Jun-2024 05:05:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[19-Jun-2024 05:07:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[19-Jun-2024 05:07:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[19-Jun-2024 05:07:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[19-Jun-2024 05:16:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[19-Jun-2024 16:17:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[19-Jun-2024 16:20:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[19-Jun-2024 16:20:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[19-Jun-2024 16:23:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[19-Jun-2024 16:23:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[19-Jun-2024 16:28:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[19-Jun-2024 16:30:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[19-Jun-2024 16:30:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[19-Jun-2024 16:30:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[19-Jun-2024 16:38:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[27-Jun-2024 17:30:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[28-Jun-2024 00:04:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[28-Jun-2024 09:20:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[28-Jun-2024 10:28:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[03-Jul-2024 13:30:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[07-Jul-2024 16:57:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[07-Jul-2024 16:57:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[07-Jul-2024 17:12:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[08-Jul-2024 13:48:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[08-Jul-2024 14:55:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[08-Jul-2024 23:05:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[12-Jul-2024 19:25:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[13-Jul-2024 06:57:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[13-Jul-2024 07:59:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[13-Jul-2024 08:17:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[13-Jul-2024 17:12:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[13-Jul-2024 18:21:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[13-Jul-2024 19:35:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[14-Jul-2024 04:48:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[14-Jul-2024 10:13:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[14-Jul-2024 10:46:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[14-Jul-2024 15:17:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[14-Jul-2024 18:29:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[17-Jul-2024 19:03:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[22-Jul-2024 17:27:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[22-Jul-2024 17:34:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[22-Jul-2024 17:34:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[22-Jul-2024 17:40:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[22-Jul-2024 17:40:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[22-Jul-2024 17:59:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[22-Jul-2024 18:05:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[22-Jul-2024 18:05:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[22-Jul-2024 18:05:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[22-Jul-2024 18:27:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[25-Jul-2024 00:47:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[03-Aug-2024 08:22:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[07-Aug-2024 08:57:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[07-Aug-2024 09:24:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[08-Aug-2024 15:48:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[09-Aug-2024 09:40:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[09-Aug-2024 13:04:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[09-Aug-2024 16:58:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[14-Aug-2024 23:19:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[15-Aug-2024 03:06:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[16-Aug-2024 05:48:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[17-Aug-2024 21:52:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[18-Aug-2024 08:54:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[18-Aug-2024 10:00:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[18-Aug-2024 10:00:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[18-Aug-2024 10:39:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[19-Aug-2024 06:55:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[19-Aug-2024 14:24:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[19-Aug-2024 16:42:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[19-Aug-2024 17:27:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[19-Aug-2024 22:22:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[20-Aug-2024 01:05:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[20-Aug-2024 08:48:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[20-Aug-2024 09:11:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[20-Aug-2024 14:48:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[20-Aug-2024 15:54:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[21-Aug-2024 00:07:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[21-Aug-2024 04:50:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[23-Aug-2024 20:58:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[24-Aug-2024 02:51:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[24-Aug-2024 03:34:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[24-Aug-2024 03:42:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[24-Aug-2024 04:10:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[30-Aug-2024 06:37:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[30-Aug-2024 13:58:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[30-Aug-2024 16:19:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[30-Aug-2024 16:19:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[01-Sep-2024 21:02:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[01-Sep-2024 21:11:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[01-Sep-2024 21:11:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[01-Sep-2024 21:17:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[01-Sep-2024 21:17:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[01-Sep-2024 21:37:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[01-Sep-2024 21:43:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[01-Sep-2024 21:44:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[01-Sep-2024 21:44:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[01-Sep-2024 22:09:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[02-Sep-2024 17:48:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[02-Sep-2024 17:48:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[04-Sep-2024 02:28:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[05-Sep-2024 00:15:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[06-Sep-2024 09:06:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[06-Sep-2024 09:06:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[06-Sep-2024 09:06:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[06-Sep-2024 09:06:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[06-Sep-2024 10:19:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[06-Sep-2024 10:19:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[06-Sep-2024 10:19:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[06-Sep-2024 10:19:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[06-Sep-2024 10:19:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[06-Sep-2024 10:19:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[06-Sep-2024 10:33:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[06-Sep-2024 10:33:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[09-Sep-2024 10:06:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[09-Sep-2024 20:38:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[09-Sep-2024 20:38:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[09-Sep-2024 20:38:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[09-Sep-2024 20:38:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[15-Sep-2024 16:44:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[15-Sep-2024 20:22:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[16-Sep-2024 03:22:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[16-Sep-2024 05:44:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[17-Sep-2024 18:36:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[17-Sep-2024 21:14:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[18-Sep-2024 08:07:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[20-Sep-2024 08:30:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[21-Sep-2024 12:24:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[21-Sep-2024 15:36:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[24-Sep-2024 05:45:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[24-Sep-2024 15:09:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[25-Sep-2024 12:04:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[25-Sep-2024 21:54:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[26-Sep-2024 06:47:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[26-Sep-2024 13:41:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[26-Sep-2024 14:12:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[26-Sep-2024 20:50:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[27-Sep-2024 01:17:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[27-Sep-2024 02:53:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[27-Sep-2024 05:41:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[27-Sep-2024 12:18:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[30-Sep-2024 03:22:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[01-Oct-2024 06:59:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[01-Oct-2024 10:48:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[01-Oct-2024 12:24:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[01-Oct-2024 12:25:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[01-Oct-2024 13:13:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[02-Oct-2024 10:47:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[02-Oct-2024 13:35:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[04-Oct-2024 01:26:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[04-Oct-2024 21:01:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[05-Oct-2024 13:17:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[07-Oct-2024 10:39:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[11-Oct-2024 03:17:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[11-Oct-2024 23:26:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[12-Oct-2024 05:59:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[13-Oct-2024 12:19:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[17-Oct-2024 23:15:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[19-Oct-2024 04:41:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[22-Oct-2024 07:39:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[22-Oct-2024 19:35:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[22-Oct-2024 23:49:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[23-Oct-2024 02:27:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[23-Oct-2024 03:00:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[23-Oct-2024 05:48:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[23-Oct-2024 08:29:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[23-Oct-2024 13:31:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[23-Oct-2024 23:02:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[24-Oct-2024 02:53:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[26-Oct-2024 19:13:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[29-Oct-2024 01:59:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[29-Oct-2024 02:06:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[29-Oct-2024 02:06:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[29-Oct-2024 02:12:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[29-Oct-2024 02:13:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[29-Oct-2024 02:21:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[29-Oct-2024 02:25:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[29-Oct-2024 02:25:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[29-Oct-2024 02:25:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[29-Oct-2024 02:46:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[29-Oct-2024 05:10:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[29-Oct-2024 06:19:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[29-Oct-2024 13:24:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[30-Oct-2024 00:43:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[31-Oct-2024 03:12:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[01-Nov-2024 05:07:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[01-Nov-2024 16:41:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[01-Nov-2024 17:26:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[01-Nov-2024 18:57:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[01-Nov-2024 18:57:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[01-Nov-2024 23:13:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[05-Nov-2024 11:42:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[06-Nov-2024 12:44:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[06-Nov-2024 12:56:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[06-Nov-2024 12:56:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[06-Nov-2024 13:02:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[06-Nov-2024 13:02:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[06-Nov-2024 13:11:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[06-Nov-2024 13:15:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[06-Nov-2024 13:15:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[06-Nov-2024 13:15:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[06-Nov-2024 13:36:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[06-Nov-2024 16:21:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[06-Nov-2024 21:21:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[06-Nov-2024 22:38:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[06-Nov-2024 22:52:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[06-Nov-2024 23:19:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[06-Nov-2024 23:19:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[09-Nov-2024 04:01:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/MergeTest.php on line 17
[09-Nov-2024 04:11:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FloatNodeTest.php on line 17
[09-Nov-2024 04:11:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ArrayNodeTest.php on line 19
[09-Nov-2024 04:13:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/ScalarNodeTest.php on line 17
[09-Nov-2024 04:13:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[09-Nov-2024 04:15:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/NormalizationTest.php on line 18
[09-Nov-2024 04:17:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/IntegerNodeTest.php on line 17
[09-Nov-2024 04:17:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
[09-Nov-2024 04:17:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/BooleanNodeTest.php on line 17
[09-Nov-2024 04:21:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[11-Nov-2024 12:40:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/PrototypedArrayNodeTest.php on line 20
[11-Nov-2024 15:41:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/EnumNodeTest.php on line 17
[11-Nov-2024 17:16:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/FinalizationTest.php on line 19
config/Tests/Definition/Dumper/error_log; 0000644 00000053064 14716422132 0014461 0 ustar 00 [17-Sep-2023 18:47:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[26-Sep-2023 17:32:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[02-Oct-2023 05:14:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[02-Oct-2023 05:14:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[30-Nov-2023 09:57:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[30-Nov-2023 09:57:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[30-Nov-2023 20:53:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[30-Nov-2023 20:53:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[01-Dec-2023 19:04:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[02-Dec-2023 08:52:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[02-Dec-2023 08:52:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[03-Dec-2023 03:27:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[03-Dec-2023 03:27:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[07-Dec-2023 06:06:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[14-Jan-2024 21:23:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[16-Jan-2024 05:20:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[26-Feb-2024 12:49:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[28-Feb-2024 14:47:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[[15-Mar-2024 09:14:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[15-Mar-2024 10:33:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[08-Apr-2024 17:48:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[09-Apr-2024 21:04:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[21-Apr-2024 13:34:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[05-May-2024 01:10:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[05-May-2024 01:32:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[05-May-2024 11:05:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[05-May-2024 11:27:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[05-May-2024 20:31:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[05-May-2024 20:52:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[06-May-2024 15:16:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[08-May-2024 08:11:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[23-May-2024 02:47:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[23-May-2024 02:50:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[28-May-2024 16:23:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[30-May-2024 05:07:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[12-Jun-2024 13:12:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[15-Jun-2024 16:23:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[15-Jun-2024 16:27:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[15-Jun-2024 23:18:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[16-Jun-2024 02:29:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[18-Jun-2024 20:22:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[18-Jun-2024 20:23:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[19-Jun-2024 05:23:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[19-Jun-2024 05:25:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[19-Jun-2024 16:46:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[19-Jun-2024 16:48:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[04-Jul-2024 06:44:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[09-Jul-2024 01:01:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[13-Jul-2024 21:20:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[19-Jul-2024 16:19:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[20-Jul-2024 00:37:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[22-Jul-2024 19:32:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[22-Jul-2024 19:43:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[01-Aug-2024 22:08:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[01-Aug-2024 22:14:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[12-Aug-2024 19:09:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[15-Aug-2024 21:43:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[16-Aug-2024 07:24:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[17-Aug-2024 21:17:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[18-Aug-2024 13:04:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[18-Aug-2024 13:13:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[23-Aug-2024 20:27:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[24-Aug-2024 06:29:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[24-Aug-2024 14:55:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[25-Aug-2024 21:41:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[26-Aug-2024 20:41:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[29-Aug-2024 23:11:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[30-Aug-2024 11:37:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[01-Sep-2024 23:20:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[01-Sep-2024 23:42:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[04-Sep-2024 15:24:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[04-Sep-2024 15:28:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[05-Sep-2024 04:50:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[11-Sep-2024 17:44:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[11-Sep-2024 17:45:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[11-Sep-2024 18:32:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[11-Sep-2024 18:32:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[18-Sep-2024 03:07:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[20-Sep-2024 12:40:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[20-Sep-2024 13:19:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[21-Sep-2024 14:37:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[28-Sep-2024 18:03:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[03-Oct-2024 17:17:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[05-Oct-2024 02:19:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[06-Oct-2024 19:26:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[06-Oct-2024 19:47:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[29-Oct-2024 02:06:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[29-Oct-2024 03:10:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[29-Oct-2024 03:27:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[29-Oct-2024 07:08:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[31-Oct-2024 23:45:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[03-Nov-2024 02:58:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[06-Nov-2024 13:54:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[06-Nov-2024 14:02:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[07-Nov-2024 08:34:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
[09-Nov-2024 05:28:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/XmlReferenceDumperTest.php on line 18
[09-Nov-2024 05:32:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Dumper/YamlReferenceDumperTest.php on line 18
config/Tests/Definition/Dumper/XmlReferenceDumperTest.php 0000644 00000005214 14716422132 0017550 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Dumper;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\Dumper\XmlReferenceDumper;
use Symfony\Component\Config\Tests\Fixtures\Configuration\ExampleConfiguration;
class XmlReferenceDumperTest extends TestCase
{
public function testDumper()
{
$configuration = new ExampleConfiguration();
$dumper = new XmlReferenceDumper();
$this->assertEquals($this->getConfigurationAsString(), $dumper->dump($configuration));
}
public function testNamespaceDumper()
{
$configuration = new ExampleConfiguration();
$dumper = new XmlReferenceDumper();
$this->assertEquals(str_replace('http://example.org/schema/dic/acme_root', 'http://symfony.com/schema/dic/symfony', $this->getConfigurationAsString()), $dumper->dump($configuration, 'http://symfony.com/schema/dic/symfony'));
}
private function getConfigurationAsString()
{
return str_replace("\n", PHP_EOL, <<<'EOL'
scalar value
scalar value
EOL
);
}
}
config/Tests/Definition/Dumper/YamlReferenceDumperTest.php 0000644 00000006454 14716422132 0017721 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Dumper;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\Dumper\YamlReferenceDumper;
use Symfony\Component\Config\Tests\Fixtures\Configuration\ExampleConfiguration;
class YamlReferenceDumperTest extends TestCase
{
public function testDumper()
{
$configuration = new ExampleConfiguration();
$dumper = new YamlReferenceDumper();
$this->assertEquals($this->getConfigurationAsString(), $dumper->dump($configuration));
}
public function provideDumpAtPath()
{
return array(
'Regular node' => array('scalar_true', << array('array', << array('array.child2', << array('cms_pages.page', << array('cms_pages.page.locale', <<assertSame(trim($expected), trim($dumper->dumpAtPath($configuration, $path)));
}
private function getConfigurationAsString()
{
return <<<'EOL'
acme_root:
boolean: true
scalar_empty: ~
scalar_null: null
scalar_true: true
scalar_false: false
scalar_default: default
scalar_array_empty: []
scalar_array_defaults:
# Defaults:
- elem1
- elem2
scalar_required: ~ # Required
node_with_a_looong_name: ~
enum_with_default: this # One of "this"; "that"
enum: ~ # One of "this"; "that"
# some info
array:
child1: ~
child2: ~
# this is a long
# multi-line info text
# which should be indented
child3: ~ # Example: example setting
scalar_prototyped: []
parameters:
# Prototype: Parameter name
name: ~
connections:
# Prototype
-
user: ~
pass: ~
cms_pages:
# Prototype
page:
# Prototype
locale:
title: ~ # Required
path: ~ # Required
pipou:
# Prototype
name: []
EOL;
}
}
config/Tests/Definition/ScalarNodeTest.php 0000644 00000007417 14716422132 0014602 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\ScalarNode;
class ScalarNodeTest extends TestCase
{
/**
* @dataProvider getValidValues
*/
public function testNormalize($value)
{
$node = new ScalarNode('test');
$this->assertSame($value, $node->normalize($value));
}
public function getValidValues()
{
return array(
array(false),
array(true),
array(null),
array(''),
array('foo'),
array(0),
array(1),
array(0.0),
array(0.1),
);
}
/**
* @dataProvider getInvalidValues
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidTypeException
*/
public function testNormalizeThrowsExceptionOnInvalidValues($value)
{
$node = new ScalarNode('test');
$node->normalize($value);
}
public function getInvalidValues()
{
return array(
array(array()),
array(array('foo' => 'bar')),
array(new \stdClass()),
);
}
public function testNormalizeThrowsExceptionWithoutHint()
{
$node = new ScalarNode('test');
if (method_exists($this, 'expectException')) {
$this->expectException('Symfony\Component\Config\Definition\Exception\InvalidTypeException');
$this->expectExceptionMessage('Invalid type for path "test". Expected scalar, but got array.');
} else {
$this->setExpectedException('Symfony\Component\Config\Definition\Exception\InvalidTypeException', 'Invalid type for path "test". Expected scalar, but got array.');
}
$node->normalize(array());
}
public function testNormalizeThrowsExceptionWithErrorMessage()
{
$node = new ScalarNode('test');
$node->setInfo('"the test value"');
if (method_exists($this, 'expectException')) {
$this->expectException('Symfony\Component\Config\Definition\Exception\InvalidTypeException');
$this->expectExceptionMessage("Invalid type for path \"test\". Expected scalar, but got array.\nHint: \"the test value\"");
} else {
$this->setExpectedException('Symfony\Component\Config\Definition\Exception\InvalidTypeException', "Invalid type for path \"test\". Expected scalar, but got array.\nHint: \"the test value\"");
}
$node->normalize(array());
}
/**
* @dataProvider getValidNonEmptyValues
*
* @param mixed $value
*/
public function testValidNonEmptyValues($value)
{
$node = new ScalarNode('test');
$node->setAllowEmptyValue(false);
$this->assertSame($value, $node->finalize($value));
}
public function getValidNonEmptyValues()
{
return array(
array(false),
array(true),
array('foo'),
array(0),
array(1),
array(0.0),
array(0.1),
);
}
/**
* @dataProvider getEmptyValues
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidConfigurationException
*
* @param mixed $value
*/
public function testNotAllowedEmptyValuesThrowException($value)
{
$node = new ScalarNode('test');
$node->setAllowEmptyValue(false);
$node->finalize($value);
}
public function getEmptyValues()
{
return array(
array(null),
array(''),
);
}
}
config/Tests/Definition/Builder/EnumNodeDefinitionTest.php 0000644 00000003252 14716422132 0017671 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Builder;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\Builder\EnumNodeDefinition;
class EnumNodeDefinitionTest extends TestCase
{
public function testWithOneValue()
{
$def = new EnumNodeDefinition('foo');
$def->values(array('foo'));
$node = $def->getNode();
$this->assertEquals(array('foo'), $node->getValues());
}
public function testWithOneDistinctValue()
{
$def = new EnumNodeDefinition('foo');
$def->values(array('foo', 'foo'));
$node = $def->getNode();
$this->assertEquals(array('foo'), $node->getValues());
}
/**
* @expectedException \RuntimeException
* @expectedExceptionMessage You must call ->values() on enum nodes.
*/
public function testNoValuesPassed()
{
$def = new EnumNodeDefinition('foo');
$def->getNode();
}
/**
* @expectedException \InvalidArgumentException
* @expectedExceptionMessage ->values() must be called with at least one value.
*/
public function testWithNoValues()
{
$def = new EnumNodeDefinition('foo');
$def->values(array());
}
public function testGetNode()
{
$def = new EnumNodeDefinition('foo');
$def->values(array('foo', 'bar'));
$node = $def->getNode();
$this->assertEquals(array('foo', 'bar'), $node->getValues());
}
}
config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php 0000644 00000001461 14716422132 0020344 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Builder;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\Builder\BooleanNodeDefinition;
class BooleanNodeDefinitionTest extends TestCase
{
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidDefinitionException
* @expectedExceptionMessage ->cannotBeEmpty() is not applicable to BooleanNodeDefinition.
*/
public function testCannotBeEmptyThrowsAnException()
{
$def = new BooleanNodeDefinition('foo');
$def->cannotBeEmpty();
}
}
config/Tests/Definition/Builder/error_log; 0000644 00000200122 14716422132 0014600 0 ustar 00 [11-Sep-2023 19:51:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[13-Sep-2023 21:43:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[21-Sep-2023 22:52:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[24-Sep-2023 16:33:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[30-Sep-2023 08:11:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[02-Oct-2023 05:14:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[02-Oct-2023 05:14:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[02-Oct-2023 05:14:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[02-Oct-2023 05:14:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[02-Oct-2023 05:14:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[02-Oct-2023 05:14:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[02-Oct-2023 05:15:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[05-Oct-2023 07:00:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[07-Nov-2023 02:21:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[16-Nov-2023 13:52:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[19-Nov-2023 04:22:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[28-Nov-2023 01:29:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[30-Nov-2023 20:50:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[30-Nov-2023 20:50:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[30-Nov-2023 20:50:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[30-Nov-2023 20:50:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[30-Nov-2023 20:50:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[30-Nov-2023 20:50:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[30-Nov-2023 20:50:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[01-Dec-2023 07:38:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[01-Dec-2023 07:38:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[01-Dec-2023 07:38:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[01-Dec-2023 07:39:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[01-Dec-2023 07:39:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[01-Dec-2023 07:39:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[01-Dec-2023 07:39:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[02-Dec-2023 05:02:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[02-Dec-2023 05:02:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[02-Dec-2023 05:02:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[02-Dec-2023 05:02:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[02-Dec-2023 05:02:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[02-Dec-2023 05:03:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[02-Dec-2023 05:03:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[03-Dec-2023 10:12:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[03-Dec-2023 10:12:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[03-Dec-2023 10:12:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[03-Dec-2023 10:12:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[03-Dec-2023 10:12:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[03-Dec-2023 10:12:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[03-Dec-2023 10:13:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[04-Dec-2023 03:22:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[04-Dec-2023 16:28:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[04-Jan-2024 13:35:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[05-Jan-2024 11:15:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[09-Jan-2024 02:31:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[15-Jan-2024 04:24:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[21-Jan-2024 00:45:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[23-Jan-2024 06:32:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[24-Jan-2024 14:59:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[25-Feb-2024 14:47:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[25-Feb-2024 15:59:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[25-Feb-2024 16:14:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[25-Feb-2024 19:06:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[26-Feb-2024 11:15:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[26-Feb-2024 14:56:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[27-Feb-2024 07:59:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[28-Feb-2024 11:38:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[28-Feb-2024 11:42:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[28-Feb-2024 11:47:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[28-Feb-2024 11:53:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[28-Feb-2024 11:54:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[28-Feb-2024 12:02:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[28-Feb-2024 12:02:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[05-Mar-2024 19:40:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[06-Mar-2024 13:22:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[22-Mar-2024 01:20:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[22-Mar-2024 18:27:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[03-Apr-2024 13:29:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[08-Apr-2024 09:20:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[14-Apr-2024 16:00:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[15-Apr-2024 07:35:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[16-Apr-2024 16:41:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[05-May-2024 00:20:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[05-May-2024 01:10:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[05-May-2024 01:10:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[05-May-2024 01:10:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[05-May-2024 01:10:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[05-May-2024 01:32:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[05-May-2024 01:59:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[05-May-2024 01:59:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[05-May-2024 09:06:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[05-May-2024 09:34:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[05-May-2024 09:56:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[05-May-2024 11:06:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[05-May-2024 11:06:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[05-May-2024 11:06:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[05-May-2024 11:06:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[05-May-2024 11:21:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[05-May-2024 11:23:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[05-May-2024 11:28:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[05-May-2024 11:30:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[05-May-2024 11:55:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[05-May-2024 11:55:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[05-May-2024 20:31:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[05-May-2024 20:32:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[05-May-2024 20:32:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[05-May-2024 20:32:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[05-May-2024 20:53:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[05-May-2024 21:19:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[05-May-2024 21:19:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[06-May-2024 22:24:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[07-May-2024 02:23:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[07-May-2024 09:43:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[07-May-2024 19:35:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[09-May-2024 16:23:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[09-May-2024 18:48:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[09-May-2024 19:16:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[18-May-2024 20:33:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[19-May-2024 07:51:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[23-May-2024 02:47:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[23-May-2024 02:47:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[23-May-2024 02:47:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[23-May-2024 02:47:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[23-May-2024 02:51:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[23-May-2024 03:26:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[23-May-2024 03:26:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[24-May-2024 07:54:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[29-May-2024 15:58:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[31-May-2024 21:15:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[01-Jun-2024 01:15:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[01-Jun-2024 16:50:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[10-Jun-2024 07:42:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[11-Jun-2024 04:25:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[11-Jun-2024 07:45:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[11-Jun-2024 11:08:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[15-Jun-2024 16:50:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[15-Jun-2024 21:37:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[15-Jun-2024 21:39:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[15-Jun-2024 21:40:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[15-Jun-2024 22:31:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[15-Jun-2024 22:36:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[15-Jun-2024 22:40:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[15-Jun-2024 22:55:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[16-Jun-2024 11:33:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[18-Jun-2024 20:22:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[18-Jun-2024 20:22:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[18-Jun-2024 20:22:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[18-Jun-2024 20:22:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[18-Jun-2024 20:23:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[18-Jun-2024 20:25:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[18-Jun-2024 20:25:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[19-Jun-2024 05:23:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[19-Jun-2024 05:23:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[19-Jun-2024 05:23:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[19-Jun-2024 05:23:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[19-Jun-2024 05:25:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[19-Jun-2024 05:26:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[19-Jun-2024 05:26:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[19-Jun-2024 16:46:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[19-Jun-2024 16:46:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[19-Jun-2024 16:46:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[19-Jun-2024 16:46:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[19-Jun-2024 16:48:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[19-Jun-2024 16:49:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[19-Jun-2024 16:49:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[21-Jun-2024 18:38:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[22-Jun-2024 13:47:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[28-Jun-2024 10:34:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[28-Jun-2024 13:34:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[03-Jul-2024 11:33:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[09-Jul-2024 10:00:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[09-Jul-2024 13:37:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[09-Jul-2024 17:05:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[17-Jul-2024 19:30:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[18-Jul-2024 18:02:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[18-Jul-2024 19:25:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[18-Jul-2024 21:26:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[20-Jul-2024 00:09:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[22-Jul-2024 19:32:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[22-Jul-2024 19:32:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[22-Jul-2024 19:32:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[22-Jul-2024 19:32:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[22-Jul-2024 19:44:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[22-Jul-2024 20:07:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[22-Jul-2024 20:07:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[24-Jul-2024 11:51:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[26-Jul-2024 08:31:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[29-Jul-2024 14:06:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[03-Aug-2024 10:52:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[03-Aug-2024 13:32:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[09-Aug-2024 16:43:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[15-Aug-2024 02:29:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[15-Aug-2024 14:14:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[15-Aug-2024 17:21:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[17-Aug-2024 21:34:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[19-Aug-2024 04:03:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[19-Aug-2024 06:11:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[19-Aug-2024 06:12:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[20-Aug-2024 22:52:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[21-Aug-2024 00:50:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[22-Aug-2024 00:57:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[23-Aug-2024 22:05:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[24-Aug-2024 19:16:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[25-Aug-2024 07:00:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[25-Aug-2024 07:56:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[25-Aug-2024 07:57:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[25-Aug-2024 11:21:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[25-Aug-2024 14:14:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[25-Aug-2024 17:29:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[26-Aug-2024 11:32:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[29-Aug-2024 23:31:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[30-Aug-2024 07:03:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[31-Aug-2024 10:16:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[31-Aug-2024 10:25:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[31-Aug-2024 16:43:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[01-Sep-2024 11:07:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[01-Sep-2024 15:43:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[01-Sep-2024 23:21:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[01-Sep-2024 23:21:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[01-Sep-2024 23:21:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[01-Sep-2024 23:21:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[01-Sep-2024 23:43:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[02-Sep-2024 00:10:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[02-Sep-2024 00:10:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[05-Sep-2024 01:37:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[05-Sep-2024 04:40:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[08-Sep-2024 19:39:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[10-Sep-2024 03:05:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[11-Sep-2024 18:29:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[11-Sep-2024 18:29:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[11-Sep-2024 18:29:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[11-Sep-2024 18:29:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[11-Sep-2024 18:29:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[11-Sep-2024 18:29:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[11-Sep-2024 18:29:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[11-Sep-2024 18:29:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[11-Sep-2024 18:49:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[11-Sep-2024 18:49:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[15-Sep-2024 01:06:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[15-Sep-2024 01:06:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[15-Sep-2024 01:06:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[15-Sep-2024 01:06:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[15-Sep-2024 01:45:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[15-Sep-2024 13:09:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[17-Sep-2024 09:26:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[20-Sep-2024 14:09:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[22-Sep-2024 06:49:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[22-Sep-2024 10:18:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[26-Sep-2024 05:48:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[01-Oct-2024 16:51:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[02-Oct-2024 15:00:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[04-Oct-2024 08:00:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[07-Oct-2024 21:47:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[08-Oct-2024 04:46:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[08-Oct-2024 08:24:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[08-Oct-2024 09:02:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[08-Oct-2024 12:04:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[09-Oct-2024 08:00:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[10-Oct-2024 00:03:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[13-Oct-2024 04:34:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[13-Oct-2024 18:25:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[13-Oct-2024 19:36:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[17-Oct-2024 20:08:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[18-Oct-2024 16:44:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[21-Oct-2024 22:04:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[28-Oct-2024 19:47:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[29-Oct-2024 03:10:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[29-Oct-2024 03:10:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[29-Oct-2024 03:10:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[29-Oct-2024 03:11:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[29-Oct-2024 03:28:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[29-Oct-2024 03:53:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[29-Oct-2024 03:53:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[29-Oct-2024 18:28:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[29-Oct-2024 21:47:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[30-Oct-2024 16:40:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[01-Nov-2024 17:10:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[06-Nov-2024 13:55:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[06-Nov-2024 13:55:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[06-Nov-2024 13:55:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[06-Nov-2024 13:55:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[06-Nov-2024 14:02:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[06-Nov-2024 14:24:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[06-Nov-2024 14:24:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
[09-Nov-2024 05:28:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeBuilder' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Fixtures/Builder/NodeBuilder.php on line 16
[09-Nov-2024 05:28:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NodeBuilderTest.php on line 18
[09-Nov-2024 05:29:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ExprBuilderTest.php on line 17
[09-Nov-2024 05:29:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php on line 20
[09-Nov-2024 05:32:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/EnumNodeDefinitionTest.php on line 17
[09-Nov-2024 05:34:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/NumericNodeDefinitionTest.php on line 19
[09-Nov-2024 05:34:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Definition/Builder/BooleanNodeDefinitionTest.php on line 17
config/Tests/Definition/Builder/NodeBuilderTest.php 0000644 00000005277 14716422132 0016353 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Builder;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\Builder\NodeBuilder as BaseNodeBuilder;
use Symfony\Component\Config\Definition\Builder\VariableNodeDefinition as BaseVariableNodeDefinition;
class NodeBuilderTest extends TestCase
{
/**
* @expectedException \RuntimeException
*/
public function testThrowsAnExceptionWhenTryingToCreateANonRegisteredNodeType()
{
$builder = new BaseNodeBuilder();
$builder->node('', 'foobar');
}
/**
* @expectedException \RuntimeException
*/
public function testThrowsAnExceptionWhenTheNodeClassIsNotFound()
{
$builder = new BaseNodeBuilder();
$builder
->setNodeClass('noclasstype', '\\foo\\bar\\noclass')
->node('', 'noclasstype');
}
public function testAddingANewNodeType()
{
$class = __NAMESPACE__.'\\SomeNodeDefinition';
$builder = new BaseNodeBuilder();
$node = $builder
->setNodeClass('newtype', $class)
->node('', 'newtype');
$this->assertInstanceOf($class, $node);
}
public function testOverridingAnExistingNodeType()
{
$class = __NAMESPACE__.'\\SomeNodeDefinition';
$builder = new BaseNodeBuilder();
$node = $builder
->setNodeClass('variable', $class)
->node('', 'variable');
$this->assertInstanceOf($class, $node);
}
public function testNodeTypesAreNotCaseSensitive()
{
$builder = new BaseNodeBuilder();
$node1 = $builder->node('', 'VaRiAbLe');
$node2 = $builder->node('', 'variable');
$this->assertInstanceOf(get_class($node1), $node2);
$builder->setNodeClass('CuStOm', __NAMESPACE__.'\\SomeNodeDefinition');
$node1 = $builder->node('', 'CUSTOM');
$node2 = $builder->node('', 'custom');
$this->assertInstanceOf(get_class($node1), $node2);
}
public function testNumericNodeCreation()
{
$builder = new BaseNodeBuilder();
$node = $builder->integerNode('foo')->min(3)->max(5);
$this->assertInstanceOf('Symfony\Component\Config\Definition\Builder\IntegerNodeDefinition', $node);
$node = $builder->floatNode('bar')->min(3.0)->max(5.0);
$this->assertInstanceOf('Symfony\Component\Config\Definition\Builder\FloatNodeDefinition', $node);
}
}
class SomeNodeDefinition extends BaseVariableNodeDefinition
{
}
config/Tests/Definition/Builder/ArrayNodeDefinitionTest.php 0000644 00000023344 14716422132 0020047 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Builder;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\Builder\ArrayNodeDefinition;
use Symfony\Component\Config\Definition\Processor;
use Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition;
use Symfony\Component\Config\Definition\Exception\InvalidDefinitionException;
class ArrayNodeDefinitionTest extends TestCase
{
public function testAppendingSomeNode()
{
$parent = new ArrayNodeDefinition('root');
$child = new ScalarNodeDefinition('child');
$parent
->children()
->scalarNode('foo')->end()
->scalarNode('bar')->end()
->end()
->append($child);
$this->assertCount(3, $this->getField($parent, 'children'));
$this->assertTrue(in_array($child, $this->getField($parent, 'children')));
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidDefinitionException
* @dataProvider providePrototypeNodeSpecificCalls
*/
public function testPrototypeNodeSpecificOption($method, $args)
{
$node = new ArrayNodeDefinition('root');
call_user_func_array(array($node, $method), $args);
$node->getNode();
}
public function providePrototypeNodeSpecificCalls()
{
return array(
array('defaultValue', array(array())),
array('addDefaultChildrenIfNoneSet', array()),
array('requiresAtLeastOneElement', array()),
array('useAttributeAsKey', array('foo')),
);
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidDefinitionException
*/
public function testConcreteNodeSpecificOption()
{
$node = new ArrayNodeDefinition('root');
$node
->addDefaultsIfNotSet()
->prototype('array')
;
$node->getNode();
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidDefinitionException
*/
public function testPrototypeNodesCantHaveADefaultValueWhenUsingDefaultChildren()
{
$node = new ArrayNodeDefinition('root');
$node
->defaultValue(array())
->addDefaultChildrenIfNoneSet('foo')
->prototype('array')
;
$node->getNode();
}
public function testPrototypedArrayNodeDefaultWhenUsingDefaultChildren()
{
$node = new ArrayNodeDefinition('root');
$node
->addDefaultChildrenIfNoneSet()
->prototype('array')
;
$tree = $node->getNode();
$this->assertEquals(array(array()), $tree->getDefaultValue());
}
/**
* @dataProvider providePrototypedArrayNodeDefaults
*/
public function testPrototypedArrayNodeDefault($args, $shouldThrowWhenUsingAttrAsKey, $shouldThrowWhenNotUsingAttrAsKey, $defaults)
{
$node = new ArrayNodeDefinition('root');
$node
->addDefaultChildrenIfNoneSet($args)
->prototype('array')
;
try {
$tree = $node->getNode();
$this->assertFalse($shouldThrowWhenNotUsingAttrAsKey);
$this->assertEquals($defaults, $tree->getDefaultValue());
} catch (InvalidDefinitionException $e) {
$this->assertTrue($shouldThrowWhenNotUsingAttrAsKey);
}
$node = new ArrayNodeDefinition('root');
$node
->useAttributeAsKey('attr')
->addDefaultChildrenIfNoneSet($args)
->prototype('array')
;
try {
$tree = $node->getNode();
$this->assertFalse($shouldThrowWhenUsingAttrAsKey);
$this->assertEquals($defaults, $tree->getDefaultValue());
} catch (InvalidDefinitionException $e) {
$this->assertTrue($shouldThrowWhenUsingAttrAsKey);
}
}
public function providePrototypedArrayNodeDefaults()
{
return array(
array(null, true, false, array(array())),
array(2, true, false, array(array(), array())),
array('2', false, true, array('2' => array())),
array('foo', false, true, array('foo' => array())),
array(array('foo'), false, true, array('foo' => array())),
array(array('foo', 'bar'), false, true, array('foo' => array(), 'bar' => array())),
);
}
public function testNestedPrototypedArrayNodes()
{
$nodeDefinition = new ArrayNodeDefinition('root');
$nodeDefinition
->addDefaultChildrenIfNoneSet()
->prototype('array')
->prototype('array')
;
$node = $nodeDefinition->getNode();
$this->assertInstanceOf('Symfony\Component\Config\Definition\PrototypedArrayNode', $node);
$this->assertInstanceOf('Symfony\Component\Config\Definition\PrototypedArrayNode', $node->getPrototype());
}
public function testEnabledNodeDefaults()
{
$node = new ArrayNodeDefinition('root');
$node
->canBeEnabled()
->children()
->scalarNode('foo')->defaultValue('bar')->end()
;
$this->assertEquals(array('enabled' => false, 'foo' => 'bar'), $node->getNode()->getDefaultValue());
}
/**
* @dataProvider getEnableableNodeFixtures
*/
public function testTrueEnableEnabledNode($expected, $config, $message)
{
$processor = new Processor();
$node = new ArrayNodeDefinition('root');
$node
->canBeEnabled()
->children()
->scalarNode('foo')->defaultValue('bar')->end()
;
$this->assertEquals(
$expected,
$processor->process($node->getNode(), $config),
$message
);
}
public function testCanBeDisabled()
{
$node = new ArrayNodeDefinition('root');
$node->canBeDisabled();
$this->assertTrue($this->getField($node, 'addDefaults'));
$this->assertEquals(array('enabled' => false), $this->getField($node, 'falseEquivalent'));
$this->assertEquals(array('enabled' => true), $this->getField($node, 'trueEquivalent'));
$this->assertEquals(array('enabled' => true), $this->getField($node, 'nullEquivalent'));
$nodeChildren = $this->getField($node, 'children');
$this->assertArrayHasKey('enabled', $nodeChildren);
$enabledNode = $nodeChildren['enabled'];
$this->assertTrue($this->getField($enabledNode, 'default'));
$this->assertTrue($this->getField($enabledNode, 'defaultValue'));
}
public function testIgnoreExtraKeys()
{
$node = new ArrayNodeDefinition('root');
$this->assertFalse($this->getField($node, 'ignoreExtraKeys'));
$result = $node->ignoreExtraKeys();
$this->assertEquals($node, $result);
$this->assertTrue($this->getField($node, 'ignoreExtraKeys'));
}
public function testNormalizeKeys()
{
$node = new ArrayNodeDefinition('root');
$this->assertTrue($this->getField($node, 'normalizeKeys'));
$result = $node->normalizeKeys(false);
$this->assertEquals($node, $result);
$this->assertFalse($this->getField($node, 'normalizeKeys'));
}
public function testPrototypeVariable()
{
$node = new ArrayNodeDefinition('root');
$this->assertEquals($node->prototype('variable'), $node->variablePrototype());
}
public function testPrototypeScalar()
{
$node = new ArrayNodeDefinition('root');
$this->assertEquals($node->prototype('scalar'), $node->scalarPrototype());
}
public function testPrototypeBoolean()
{
$node = new ArrayNodeDefinition('root');
$this->assertEquals($node->prototype('boolean'), $node->booleanPrototype());
}
public function testPrototypeInteger()
{
$node = new ArrayNodeDefinition('root');
$this->assertEquals($node->prototype('integer'), $node->integerPrototype());
}
public function testPrototypeFloat()
{
$node = new ArrayNodeDefinition('root');
$this->assertEquals($node->prototype('float'), $node->floatPrototype());
}
public function testPrototypeArray()
{
$node = new ArrayNodeDefinition('root');
$this->assertEquals($node->prototype('array'), $node->arrayPrototype());
}
public function testPrototypeEnum()
{
$node = new ArrayNodeDefinition('root');
$this->assertEquals($node->prototype('enum'), $node->enumPrototype());
}
public function getEnableableNodeFixtures()
{
return array(
array(array('enabled' => true, 'foo' => 'bar'), array(true), 'true enables an enableable node'),
array(array('enabled' => true, 'foo' => 'bar'), array(null), 'null enables an enableable node'),
array(array('enabled' => true, 'foo' => 'bar'), array(array('enabled' => true)), 'An enableable node can be enabled'),
array(array('enabled' => true, 'foo' => 'baz'), array(array('foo' => 'baz')), 'any configuration enables an enableable node'),
array(array('enabled' => false, 'foo' => 'baz'), array(array('foo' => 'baz', 'enabled' => false)), 'An enableable node can be disabled'),
array(array('enabled' => false, 'foo' => 'bar'), array(false), 'false disables an enableable node'),
);
}
protected function getField($object, $field)
{
$reflection = new \ReflectionProperty($object, $field);
$reflection->setAccessible(true);
return $reflection->getValue($object);
}
}
config/Tests/Definition/Builder/NumericNodeDefinitionTest.php 0000644 00000006740 14716422132 0020374 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Builder;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\Builder\IntegerNodeDefinition as NumericNodeDefinition;
use Symfony\Component\Config\Definition\Builder\IntegerNodeDefinition;
use Symfony\Component\Config\Definition\Builder\FloatNodeDefinition;
class NumericNodeDefinitionTest extends TestCase
{
/**
* @expectedException \InvalidArgumentException
* @expectedExceptionMessage You cannot define a min(4) as you already have a max(3)
*/
public function testIncoherentMinAssertion()
{
$def = new NumericNodeDefinition('foo');
$def->max(3)->min(4);
}
/**
* @expectedException \InvalidArgumentException
* @expectedExceptionMessage You cannot define a max(2) as you already have a min(3)
*/
public function testIncoherentMaxAssertion()
{
$node = new NumericNodeDefinition('foo');
$node->min(3)->max(2);
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidConfigurationException
* @expectedExceptionMessage The value 4 is too small for path "foo". Should be greater than or equal to 5
*/
public function testIntegerMinAssertion()
{
$def = new IntegerNodeDefinition('foo');
$def->min(5)->getNode()->finalize(4);
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidConfigurationException
* @expectedExceptionMessage The value 4 is too big for path "foo". Should be less than or equal to 3
*/
public function testIntegerMaxAssertion()
{
$def = new IntegerNodeDefinition('foo');
$def->max(3)->getNode()->finalize(4);
}
public function testIntegerValidMinMaxAssertion()
{
$def = new IntegerNodeDefinition('foo');
$node = $def->min(3)->max(7)->getNode();
$this->assertEquals(4, $node->finalize(4));
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidConfigurationException
* @expectedExceptionMessage The value 400 is too small for path "foo". Should be greater than or equal to 500
*/
public function testFloatMinAssertion()
{
$def = new FloatNodeDefinition('foo');
$def->min(5E2)->getNode()->finalize(4e2);
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidConfigurationException
* @expectedExceptionMessage The value 4.3 is too big for path "foo". Should be less than or equal to 0.3
*/
public function testFloatMaxAssertion()
{
$def = new FloatNodeDefinition('foo');
$def->max(0.3)->getNode()->finalize(4.3);
}
public function testFloatValidMinMaxAssertion()
{
$def = new FloatNodeDefinition('foo');
$node = $def->min(3.0)->max(7e2)->getNode();
$this->assertEquals(4.5, $node->finalize(4.5));
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidDefinitionException
* @expectedExceptionMessage ->cannotBeEmpty() is not applicable to NumericNodeDefinition.
*/
public function testCannotBeEmptyThrowsAnException()
{
$def = new NumericNodeDefinition('foo');
$def->cannotBeEmpty();
}
}
config/Tests/Definition/Builder/TreeBuilderTest.php 0000644 00000011175 14716422132 0016357 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Builder;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Tests\Definition\Builder\NodeBuilder as CustomNodeBuilder;
use Symfony\Component\Config\Definition\Builder\TreeBuilder;
require __DIR__.'/../../Fixtures/Builder/NodeBuilder.php';
require __DIR__.'/../../Fixtures/Builder/BarNodeDefinition.php';
require __DIR__.'/../../Fixtures/Builder/VariableNodeDefinition.php';
class TreeBuilderTest extends TestCase
{
public function testUsingACustomNodeBuilder()
{
$builder = new TreeBuilder();
$root = $builder->root('custom', 'array', new CustomNodeBuilder());
$nodeBuilder = $root->children();
$this->assertInstanceOf('Symfony\Component\Config\Tests\Definition\Builder\NodeBuilder', $nodeBuilder);
$nodeBuilder = $nodeBuilder->arrayNode('deeper')->children();
$this->assertInstanceOf('Symfony\Component\Config\Tests\Definition\Builder\NodeBuilder', $nodeBuilder);
}
public function testOverrideABuiltInNodeType()
{
$builder = new TreeBuilder();
$root = $builder->root('override', 'array', new CustomNodeBuilder());
$definition = $root->children()->variableNode('variable');
$this->assertInstanceOf('Symfony\Component\Config\Tests\Definition\Builder\VariableNodeDefinition', $definition);
}
public function testAddANodeType()
{
$builder = new TreeBuilder();
$root = $builder->root('override', 'array', new CustomNodeBuilder());
$definition = $root->children()->barNode('variable');
$this->assertInstanceOf('Symfony\Component\Config\Tests\Definition\Builder\BarNodeDefinition', $definition);
}
public function testCreateABuiltInNodeTypeWithACustomNodeBuilder()
{
$builder = new TreeBuilder();
$root = $builder->root('builtin', 'array', new CustomNodeBuilder());
$definition = $root->children()->booleanNode('boolean');
$this->assertInstanceOf('Symfony\Component\Config\Definition\Builder\BooleanNodeDefinition', $definition);
}
public function testPrototypedArrayNodeUseTheCustomNodeBuilder()
{
$builder = new TreeBuilder();
$root = $builder->root('override', 'array', new CustomNodeBuilder());
$root->prototype('bar')->end();
$this->assertInstanceOf('Symfony\Component\Config\Tests\Fixtures\BarNode', $root->getNode(true)->getPrototype());
}
public function testAnExtendedNodeBuilderGetsPropagatedToTheChildren()
{
$builder = new TreeBuilder();
$builder->root('propagation')
->children()
->setNodeClass('extended', 'Symfony\Component\Config\Definition\Builder\BooleanNodeDefinition')
->node('foo', 'extended')->end()
->arrayNode('child')
->children()
->node('foo', 'extended')
->end()
->end()
->end()
->end();
$node = $builder->buildTree();
$children = $node->getChildren();
$this->assertInstanceOf('Symfony\Component\Config\Definition\BooleanNode', $children['foo']);
$childChildren = $children['child']->getChildren();
$this->assertInstanceOf('Symfony\Component\Config\Definition\BooleanNode', $childChildren['foo']);
}
public function testDefinitionInfoGetsTransferredToNode()
{
$builder = new TreeBuilder();
$builder->root('test')->info('root info')
->children()
->node('child', 'variable')->info('child info')->defaultValue('default')
->end()
->end();
$tree = $builder->buildTree();
$children = $tree->getChildren();
$this->assertEquals('root info', $tree->getInfo());
$this->assertEquals('child info', $children['child']->getInfo());
}
public function testDefinitionExampleGetsTransferredToNode()
{
$builder = new TreeBuilder();
$builder->root('test')
->example(array('key' => 'value'))
->children()
->node('child', 'variable')->info('child info')->defaultValue('default')->example('example')
->end()
->end();
$tree = $builder->buildTree();
$children = $tree->getChildren();
$this->assertInternalType('array', $tree->getExample());
$this->assertEquals('example', $children['child']->getExample());
}
}
config/Tests/Definition/Builder/ExprBuilderTest.php 0000644 00000017506 14716422132 0016402 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition\Builder;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\Builder\TreeBuilder;
class ExprBuilderTest extends TestCase
{
public function testAlwaysExpression()
{
$test = $this->getTestBuilder()
->always($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('new_value', $test);
}
public function testIfTrueExpression()
{
$test = $this->getTestBuilder()
->ifTrue()
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('new_value', $test, array('key' => true));
$test = $this->getTestBuilder()
->ifTrue(function ($v) { return true; })
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('new_value', $test);
$test = $this->getTestBuilder()
->ifTrue(function ($v) { return false; })
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('value', $test);
}
public function testIfStringExpression()
{
$test = $this->getTestBuilder()
->ifString()
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('new_value', $test);
$test = $this->getTestBuilder()
->ifString()
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs(45, $test, array('key' => 45));
}
public function testIfNullExpression()
{
$test = $this->getTestBuilder()
->ifNull()
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('new_value', $test, array('key' => null));
$test = $this->getTestBuilder()
->ifNull()
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('value', $test);
}
public function testIfEmptyExpression()
{
$test = $this->getTestBuilder()
->ifEmpty()
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('new_value', $test, array('key' => array()));
$test = $this->getTestBuilder()
->ifEmpty()
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('value', $test);
}
public function testIfArrayExpression()
{
$test = $this->getTestBuilder()
->ifArray()
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('new_value', $test, array('key' => array()));
$test = $this->getTestBuilder()
->ifArray()
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('value', $test);
}
public function testIfInArrayExpression()
{
$test = $this->getTestBuilder()
->ifInArray(array('foo', 'bar', 'value'))
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('new_value', $test);
$test = $this->getTestBuilder()
->ifInArray(array('foo', 'bar'))
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('value', $test);
}
public function testIfNotInArrayExpression()
{
$test = $this->getTestBuilder()
->ifNotInArray(array('foo', 'bar'))
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('new_value', $test);
$test = $this->getTestBuilder()
->ifNotInArray(array('foo', 'bar', 'value_from_config'))
->then($this->returnClosure('new_value'))
->end();
$this->assertFinalizedValueIs('new_value', $test);
}
public function testThenEmptyArrayExpression()
{
$test = $this->getTestBuilder()
->ifString()
->thenEmptyArray()
->end();
$this->assertFinalizedValueIs(array(), $test);
}
/**
* @dataProvider castToArrayValues
*/
public function testcastToArrayExpression($configValue, $expectedValue)
{
$test = $this->getTestBuilder()
->castToArray()
->end();
$this->assertFinalizedValueIs($expectedValue, $test, array('key' => $configValue));
}
public function castToArrayValues()
{
yield array('value', array('value'));
yield array(-3.14, array(-3.14));
yield array(null, array(null));
yield array(array('value'), array('value'));
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidConfigurationException
*/
public function testThenInvalid()
{
$test = $this->getTestBuilder()
->ifString()
->thenInvalid('Invalid value')
->end();
$this->finalizeTestBuilder($test);
}
public function testThenUnsetExpression()
{
$test = $this->getTestBuilder()
->ifString()
->thenUnset()
->end();
$this->assertEquals(array(), $this->finalizeTestBuilder($test));
}
/**
* @expectedException \RuntimeException
* @expectedExceptionMessage You must specify an if part.
*/
public function testEndIfPartNotSpecified()
{
$this->getTestBuilder()->end();
}
/**
* @expectedException \RuntimeException
* @expectedExceptionMessage You must specify a then part.
*/
public function testEndThenPartNotSpecified()
{
$builder = $this->getTestBuilder();
$builder->ifPart = 'test';
$builder->end();
}
/**
* Create a test treebuilder with a variable node, and init the validation.
*
* @return TreeBuilder
*/
protected function getTestBuilder()
{
$builder = new TreeBuilder();
return $builder
->root('test')
->children()
->variableNode('key')
->validate()
;
}
/**
* Close the validation process and finalize with the given config.
*
* @param TreeBuilder $testBuilder The tree builder to finalize
* @param array $config The config you want to use for the finalization, if nothing provided
* a simple array('key'=>'value') will be used
*
* @return array The finalized config values
*/
protected function finalizeTestBuilder($testBuilder, $config = null)
{
return $testBuilder
->end()
->end()
->end()
->buildTree()
->finalize(null === $config ? array('key' => 'value') : $config)
;
}
/**
* Return a closure that will return the given value.
*
* @param mixed $val The value that the closure must return
*
* @return \Closure
*/
protected function returnClosure($val)
{
return function ($v) use ($val) {
return $val;
};
}
/**
* Assert that the given test builder, will return the given value.
*
* @param mixed $value The value to test
* @param TreeBuilder $treeBuilder The tree builder to finalize
* @param mixed $config The config values that new to be finalized
*/
protected function assertFinalizedValueIs($value, $treeBuilder, $config = null)
{
$this->assertEquals(array('key' => $value), $this->finalizeTestBuilder($treeBuilder, $config));
}
}
config/Tests/Definition/EnumNodeTest.php 0000644 00000003114 14716422132 0014267 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Definition;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Definition\EnumNode;
class EnumNodeTest extends TestCase
{
public function testFinalizeValue()
{
$node = new EnumNode('foo', null, array('foo', 'bar'));
$this->assertSame('foo', $node->finalize('foo'));
}
/**
* @expectedException \InvalidArgumentException
* @expectedExceptionMessage $values must contain at least one element.
*/
public function testConstructionWithNoValues()
{
new EnumNode('foo', null, array());
}
public function testConstructionWithOneValue()
{
$node = new EnumNode('foo', null, array('foo'));
$this->assertSame('foo', $node->finalize('foo'));
}
public function testConstructionWithOneDistinctValue()
{
$node = new EnumNode('foo', null, array('foo', 'foo'));
$this->assertSame('foo', $node->finalize('foo'));
}
/**
* @expectedException \Symfony\Component\Config\Definition\Exception\InvalidConfigurationException
* @expectedExceptionMessage The value "foobar" is not allowed for path "foo". Permissible values: "foo", "bar"
*/
public function testFinalizeWithInvalidValue()
{
$node = new EnumNode('foo', null, array('foo', 'bar'));
$node->finalize('foobar');
}
}
config/Tests/FileLocatorTest.php 0000644 00000010033 14716422132 0012666 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\FileLocator;
class FileLocatorTest extends TestCase
{
/**
* @dataProvider getIsAbsolutePathTests
*/
public function testIsAbsolutePath($path)
{
$loader = new FileLocator(array());
$r = new \ReflectionObject($loader);
$m = $r->getMethod('isAbsolutePath');
$m->setAccessible(true);
$this->assertTrue($m->invoke($loader, $path), '->isAbsolutePath() returns true for an absolute path');
}
public function getIsAbsolutePathTests()
{
return array(
array('/foo.xml'),
array('c:\\\\foo.xml'),
array('c:/foo.xml'),
array('\\server\\foo.xml'),
array('https://server/foo.xml'),
array('phar://server/foo.xml'),
);
}
public function testLocate()
{
$loader = new FileLocator(__DIR__.'/Fixtures');
$this->assertEquals(
__DIR__.DIRECTORY_SEPARATOR.'FileLocatorTest.php',
$loader->locate('FileLocatorTest.php', __DIR__),
'->locate() returns the absolute filename if the file exists in the given path'
);
$this->assertEquals(
__DIR__.'/Fixtures'.DIRECTORY_SEPARATOR.'foo.xml',
$loader->locate('foo.xml', __DIR__),
'->locate() returns the absolute filename if the file exists in one of the paths given in the constructor'
);
$this->assertEquals(
__DIR__.'/Fixtures'.DIRECTORY_SEPARATOR.'foo.xml',
$loader->locate(__DIR__.'/Fixtures'.DIRECTORY_SEPARATOR.'foo.xml', __DIR__),
'->locate() returns the absolute filename if the file exists in one of the paths given in the constructor'
);
$loader = new FileLocator(array(__DIR__.'/Fixtures', __DIR__.'/Fixtures/Again'));
$this->assertEquals(
array(__DIR__.'/Fixtures'.DIRECTORY_SEPARATOR.'foo.xml', __DIR__.'/Fixtures/Again'.DIRECTORY_SEPARATOR.'foo.xml'),
$loader->locate('foo.xml', __DIR__, false),
'->locate() returns an array of absolute filenames'
);
$this->assertEquals(
array(__DIR__.'/Fixtures'.DIRECTORY_SEPARATOR.'foo.xml', __DIR__.'/Fixtures/Again'.DIRECTORY_SEPARATOR.'foo.xml'),
$loader->locate('foo.xml', __DIR__.'/Fixtures', false),
'->locate() returns an array of absolute filenames'
);
$loader = new FileLocator(__DIR__.'/Fixtures/Again');
$this->assertEquals(
array(__DIR__.'/Fixtures'.DIRECTORY_SEPARATOR.'foo.xml', __DIR__.'/Fixtures/Again'.DIRECTORY_SEPARATOR.'foo.xml'),
$loader->locate('foo.xml', __DIR__.'/Fixtures', false),
'->locate() returns an array of absolute filenames'
);
}
/**
* @expectedException \Symfony\Component\Config\Exception\FileLocatorFileNotFoundException
* @expectedExceptionMessage The file "foobar.xml" does not exist
*/
public function testLocateThrowsAnExceptionIfTheFileDoesNotExists()
{
$loader = new FileLocator(array(__DIR__.'/Fixtures'));
$loader->locate('foobar.xml', __DIR__);
}
/**
* @expectedException \Symfony\Component\Config\Exception\FileLocatorFileNotFoundException
*/
public function testLocateThrowsAnExceptionIfTheFileDoesNotExistsInAbsolutePath()
{
$loader = new FileLocator(array(__DIR__.'/Fixtures'));
$loader->locate(__DIR__.'/Fixtures/foobar.xml', __DIR__);
}
/**
* @expectedException \InvalidArgumentException
* @expectedExceptionMessage An empty file name is not valid to be located.
*/
public function testLocateEmpty()
{
$loader = new FileLocator(array(__DIR__.'/Fixtures'));
$loader->locate(null, __DIR__);
}
}
config/Tests/Exception/error_log; 0000644 00000026600 14716422132 0013067 0 ustar 00 [21-Sep-2023 22:19:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[01-Oct-2023 15:34:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[01-Oct-2023 17:56:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[26-Nov-2023 04:41:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[27-Nov-2023 10:51:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[27-Nov-2023 13:22:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[28-Nov-2023 18:47:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[29-Nov-2023 12:04:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[25-Jan-2024 20:29:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[20-Feb-2024 09:44:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[07-Apr-2024 18:44:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[10-Apr-2024 09:27:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[27-Apr-2024 02:36:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[05-May-2024 00:03:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[05-May-2024 09:58:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[05-May-2024 19:56:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[23-May-2024 02:34:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[25-May-2024 22:14:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[04-Jun-2024 04:38:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[14-Jun-2024 16:06:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[16-Jun-2024 02:24:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[18-Jun-2024 20:17:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[19-Jun-2024 05:18:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[19-Jun-2024 16:41:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[28-Jun-2024 00:17:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[08-Jul-2024 20:18:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[10-Jul-2024 10:52:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[22-Jul-2024 15:31:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[22-Jul-2024 18:32:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[01-Aug-2024 22:00:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[03-Aug-2024 23:38:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[15-Aug-2024 02:59:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[19-Aug-2024 04:17:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[21-Aug-2024 02:50:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[22-Aug-2024 02:23:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[01-Sep-2024 12:25:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[01-Sep-2024 22:14:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[02-Sep-2024 18:00:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[02-Sep-2024 18:00:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[04-Sep-2024 14:51:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[09-Sep-2024 23:54:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[17-Sep-2024 00:19:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[26-Sep-2024 14:22:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[06-Oct-2024 19:01:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[12-Oct-2024 05:55:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[12-Oct-2024 20:26:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[29-Oct-2024 02:50:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[29-Oct-2024 19:55:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[31-Oct-2024 23:35:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[01-Nov-2024 22:37:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[06-Nov-2024 13:40:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
[09-Nov-2024 04:00:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Exception/FileLoaderLoadExceptionTest.php on line 17
config/Tests/Exception/FileLoaderLoadExceptionTest.php 0000644 00000007220 14716422132 0017112 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Exception;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Exception\FileLoaderLoadException;
class FileLoaderLoadExceptionTest extends TestCase
{
public function testMessageCannotLoadResource()
{
$exception = new FileLoaderLoadException('resource', null);
$this->assertEquals('Cannot load resource "resource".', $exception->getMessage());
}
public function testMessageCannotLoadResourceWithType()
{
$exception = new FileLoaderLoadException('resource', null, null, null, 'foobar');
$this->assertEquals('Cannot load resource "resource". Make sure there is a loader supporting the "foobar" type.', $exception->getMessage());
}
public function testMessageCannotLoadResourceWithAnnotationType()
{
$exception = new FileLoaderLoadException('resource', null, null, null, 'annotation');
$this->assertEquals('Cannot load resource "resource". Make sure annotations are enabled.', $exception->getMessage());
}
public function testMessageCannotImportResourceFromSource()
{
$exception = new FileLoaderLoadException('resource', 'sourceResource');
$this->assertEquals('Cannot import resource "resource" from "sourceResource".', $exception->getMessage());
}
public function testMessageCannotImportBundleResource()
{
$exception = new FileLoaderLoadException('@resource', 'sourceResource');
$this->assertEquals(
'Cannot import resource "@resource" from "sourceResource". '.
'Make sure the "resource" bundle is correctly registered and loaded in the application kernel class. '.
'If the bundle is registered, make sure the bundle path "@resource" is not empty.',
$exception->getMessage()
);
}
public function testMessageHasPreviousErrorWithDotAndUnableToLoad()
{
$exception = new FileLoaderLoadException(
'resource',
null,
null,
new \Exception('There was a previous error with an ending dot.')
);
$this->assertEquals(
'There was a previous error with an ending dot in resource (which is loaded in resource "resource").',
$exception->getMessage()
);
}
public function testMessageHasPreviousErrorWithoutDotAndUnableToLoad()
{
$exception = new FileLoaderLoadException(
'resource',
null,
null,
new \Exception('There was a previous error with no ending dot')
);
$this->assertEquals(
'There was a previous error with no ending dot in resource (which is loaded in resource "resource").',
$exception->getMessage()
);
}
public function testMessageHasPreviousErrorAndUnableToLoadBundle()
{
$exception = new FileLoaderLoadException(
'@resource',
null,
null,
new \Exception('There was a previous error with an ending dot.')
);
$this->assertEquals(
'There was a previous error with an ending dot in @resource '.
'(which is loaded in resource "@resource"). '.
'Make sure the "resource" bundle is correctly registered and loaded in the application kernel class. '.
'If the bundle is registered, make sure the bundle path "@resource" is not empty.',
$exception->getMessage()
);
}
}
config/Tests/ResourceCheckerConfigCacheTest.php 0000644 00000011316 14716422132 0015616 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Tests\Resource\ResourceStub;
use Symfony\Component\Config\Resource\FileResource;
use Symfony\Component\Config\ResourceCheckerConfigCache;
class ResourceCheckerConfigCacheTest extends TestCase
{
private $cacheFile = null;
protected function setUp()
{
$this->cacheFile = tempnam(sys_get_temp_dir(), 'config_');
}
protected function tearDown()
{
$files = array($this->cacheFile, "{$this->cacheFile}.meta");
foreach ($files as $file) {
if (file_exists($file)) {
unlink($file);
}
}
}
public function testGetPath()
{
$cache = new ResourceCheckerConfigCache($this->cacheFile);
$this->assertSame($this->cacheFile, $cache->getPath());
}
public function testCacheIsNotFreshIfEmpty()
{
$checker = $this->getMockBuilder('\Symfony\Component\Config\ResourceCheckerInterface')->getMock()
->expects($this->never())->method('supports');
/* If there is nothing in the cache, it needs to be filled (and thus it's not fresh).
It does not matter if you provide checkers or not. */
unlink($this->cacheFile); // remove tempnam() side effect
$cache = new ResourceCheckerConfigCache($this->cacheFile, array($checker));
$this->assertFalse($cache->isFresh());
}
public function testCacheIsFreshIfNocheckerProvided()
{
/* For example in prod mode, you may choose not to run any checkers
at all. In that case, the cache should always be considered fresh. */
$cache = new ResourceCheckerConfigCache($this->cacheFile);
$this->assertTrue($cache->isFresh());
}
public function testResourcesWithoutcheckersAreIgnoredAndConsideredFresh()
{
/* As in the previous test, but this time we have a resource. */
$cache = new ResourceCheckerConfigCache($this->cacheFile);
$cache->write('', array(new ResourceStub()));
$this->assertTrue($cache->isFresh()); // no (matching) ResourceChecker passed
}
public function testIsFreshWithchecker()
{
$checker = $this->getMockBuilder('\Symfony\Component\Config\ResourceCheckerInterface')->getMock();
$checker->expects($this->once())
->method('supports')
->willReturn(true);
$checker->expects($this->once())
->method('isFresh')
->willReturn(true);
$cache = new ResourceCheckerConfigCache($this->cacheFile, array($checker));
$cache->write('', array(new ResourceStub()));
$this->assertTrue($cache->isFresh());
}
public function testIsNotFreshWithchecker()
{
$checker = $this->getMockBuilder('\Symfony\Component\Config\ResourceCheckerInterface')->getMock();
$checker->expects($this->once())
->method('supports')
->willReturn(true);
$checker->expects($this->once())
->method('isFresh')
->willReturn(false);
$cache = new ResourceCheckerConfigCache($this->cacheFile, array($checker));
$cache->write('', array(new ResourceStub()));
$this->assertFalse($cache->isFresh());
}
public function testCacheIsNotFreshWhenUnserializeFails()
{
$checker = $this->getMockBuilder('\Symfony\Component\Config\ResourceCheckerInterface')->getMock();
$cache = new ResourceCheckerConfigCache($this->cacheFile, array($checker));
$cache->write('foo', array(new FileResource(__FILE__)));
$metaFile = "{$this->cacheFile}.meta";
file_put_contents($metaFile, str_replace('FileResource', 'ClassNotHere', file_get_contents($metaFile)));
$this->assertFalse($cache->isFresh());
}
public function testCacheKeepsContent()
{
$cache = new ResourceCheckerConfigCache($this->cacheFile);
$cache->write('FOOBAR');
$this->assertSame('FOOBAR', file_get_contents($cache->getPath()));
}
public function testCacheIsNotFreshIfNotExistsMetaFile()
{
$checker = $this->getMockBuilder('\Symfony\Component\Config\ResourceCheckerInterface')->getMock();
$cache = new ResourceCheckerConfigCache($this->cacheFile, array($checker));
$cache->write('foo', array(new FileResource(__FILE__)));
$metaFile = "{$this->cacheFile}.meta";
unlink($metaFile);
$this->assertFalse($cache->isFresh());
}
}
config/Tests/Resource/ComposerResourceTest.php 0000644 00000002166 14716422132 0015561 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Resource;
use Composer\Autoload\ClassLoader;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Resource\ComposerResource;
class ComposerResourceTest extends TestCase
{
public function testGetVendor()
{
$res = new ComposerResource();
$r = new \ReflectionClass(ClassLoader::class);
$found = false;
foreach ($res->getVendors() as $vendor) {
if ($vendor && 0 === strpos($r->getFileName(), $vendor)) {
$found = true;
break;
}
}
$this->assertTrue($found);
}
public function testSerializeUnserialize()
{
$res = new ComposerResource();
$ser = unserialize(serialize($res));
$this->assertTrue($res->isFresh(0));
$this->assertTrue($ser->isFresh(0));
$this->assertEquals($res, $ser);
}
}
config/Tests/Resource/DirectoryResourceTest.php 0000644 00000014742 14716422132 0015741 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Resource;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Resource\DirectoryResource;
class DirectoryResourceTest extends TestCase
{
protected $directory;
protected function setUp()
{
$this->directory = sys_get_temp_dir().DIRECTORY_SEPARATOR.'symfonyDirectoryIterator';
if (!file_exists($this->directory)) {
mkdir($this->directory);
}
touch($this->directory.'/tmp.xml');
}
protected function tearDown()
{
if (!is_dir($this->directory)) {
return;
}
$this->removeDirectory($this->directory);
}
protected function removeDirectory($directory)
{
$iterator = new \RecursiveIteratorIterator(new \RecursiveDirectoryIterator($directory), \RecursiveIteratorIterator::CHILD_FIRST);
foreach ($iterator as $path) {
if (preg_match('#[/\\\\]\.\.?$#', $path->__toString())) {
continue;
}
if ($path->isDir()) {
rmdir($path->__toString());
} else {
unlink($path->__toString());
}
}
rmdir($directory);
}
public function testGetResource()
{
$resource = new DirectoryResource($this->directory);
$this->assertSame(realpath($this->directory), $resource->getResource(), '->getResource() returns the path to the resource');
}
public function testGetPattern()
{
$resource = new DirectoryResource($this->directory, 'bar');
$this->assertEquals('bar', $resource->getPattern());
}
/**
* @expectedException \InvalidArgumentException
* @expectedExceptionMessageRegExp /The directory ".*" does not exist./
*/
public function testResourceDoesNotExist()
{
$resource = new DirectoryResource('/____foo/foobar'.mt_rand(1, 999999));
}
public function testIsFresh()
{
$resource = new DirectoryResource($this->directory);
$this->assertTrue($resource->isFresh(time() + 10), '->isFresh() returns true if the resource has not changed');
$this->assertFalse($resource->isFresh(time() - 86400), '->isFresh() returns false if the resource has been updated');
}
public function testIsFreshForDeletedResources()
{
$resource = new DirectoryResource($this->directory);
$this->removeDirectory($this->directory);
$this->assertFalse($resource->isFresh(time()), '->isFresh() returns false if the resource does not exist');
}
public function testIsFreshUpdateFile()
{
$resource = new DirectoryResource($this->directory);
touch($this->directory.'/tmp.xml', time() + 20);
$this->assertFalse($resource->isFresh(time() + 10), '->isFresh() returns false if an existing file is modified');
}
public function testIsFreshNewFile()
{
$resource = new DirectoryResource($this->directory);
touch($this->directory.'/new.xml', time() + 20);
$this->assertFalse($resource->isFresh(time() + 10), '->isFresh() returns false if a new file is added');
}
public function testIsFreshNewFileWithDifferentPattern()
{
$resource = new DirectoryResource($this->directory, '/.xml$/');
touch($this->directory.'/new.yaml', time() + 20);
$this->assertTrue($resource->isFresh(time() + 10), '->isFresh() returns true if a new file with a non-matching pattern is added');
}
public function testIsFreshDeleteFile()
{
$resource = new DirectoryResource($this->directory);
$time = time();
sleep(1);
unlink($this->directory.'/tmp.xml');
$this->assertFalse($resource->isFresh($time), '->isFresh() returns false if an existing file is removed');
}
public function testIsFreshDeleteDirectory()
{
$resource = new DirectoryResource($this->directory);
$this->removeDirectory($this->directory);
$this->assertFalse($resource->isFresh(time()), '->isFresh() returns false if the whole resource is removed');
}
public function testIsFreshCreateFileInSubdirectory()
{
$subdirectory = $this->directory.'/subdirectory';
mkdir($subdirectory);
$resource = new DirectoryResource($this->directory);
$this->assertTrue($resource->isFresh(time() + 10), '->isFresh() returns true if an unmodified subdirectory exists');
touch($subdirectory.'/newfile.xml', time() + 20);
$this->assertFalse($resource->isFresh(time() + 10), '->isFresh() returns false if a new file in a subdirectory is added');
}
public function testIsFreshModifySubdirectory()
{
$resource = new DirectoryResource($this->directory);
$subdirectory = $this->directory.'/subdirectory';
mkdir($subdirectory);
touch($subdirectory, time() + 20);
$this->assertFalse($resource->isFresh(time() + 10), '->isFresh() returns false if a subdirectory is modified (e.g. a file gets deleted)');
}
public function testFilterRegexListNoMatch()
{
$resource = new DirectoryResource($this->directory, '/\.(foo|xml)$/');
touch($this->directory.'/new.bar', time() + 20);
$this->assertTrue($resource->isFresh(time() + 10), '->isFresh() returns true if a new file not matching the filter regex is created');
}
public function testFilterRegexListMatch()
{
$resource = new DirectoryResource($this->directory, '/\.(foo|xml)$/');
touch($this->directory.'/new.xml', time() + 20);
$this->assertFalse($resource->isFresh(time() + 10), '->isFresh() returns false if an new file matching the filter regex is created ');
}
public function testSerializeUnserialize()
{
$resource = new DirectoryResource($this->directory, '/\.(foo|xml)$/');
$unserialized = unserialize(serialize($resource));
$this->assertSame(realpath($this->directory), $resource->getResource());
$this->assertSame('/\.(foo|xml)$/', $resource->getPattern());
}
public function testResourcesWithDifferentPatternsAreDifferent()
{
$resourceA = new DirectoryResource($this->directory, '/.xml$/');
$resourceB = new DirectoryResource($this->directory, '/.yaml$/');
$this->assertEquals(2, count(array_unique(array($resourceA, $resourceB))));
}
}
config/Tests/Resource/error_log; 0000644 00000222061 14716422132 0012717 0 ustar 00 [11-Sep-2023 08:25:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[13-Sep-2023 15:16:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[15-Sep-2023 04:10:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[15-Sep-2023 16:52:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[16-Sep-2023 17:56:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[24-Sep-2023 07:10:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[24-Sep-2023 13:49:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[01-Oct-2023 15:34:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[01-Oct-2023 15:34:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[01-Oct-2023 15:35:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[01-Oct-2023 15:35:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[01-Oct-2023 15:35:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[01-Oct-2023 15:35:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[01-Oct-2023 15:35:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[01-Oct-2023 15:35:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[01-Oct-2023 17:58:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[01-Oct-2023 17:58:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[01-Oct-2023 17:58:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[01-Oct-2023 17:58:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[01-Oct-2023 17:58:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[01-Oct-2023 17:58:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[01-Oct-2023 17:58:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[01-Oct-2023 17:58:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[15-Nov-2023 08:49:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[16-Nov-2023 11:54:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[17-Nov-2023 00:45:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[17-Nov-2023 17:02:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[24-Nov-2023 16:34:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[24-Nov-2023 16:34:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[24-Nov-2023 16:34:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[24-Nov-2023 16:34:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[24-Nov-2023 16:34:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[24-Nov-2023 16:34:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[24-Nov-2023 16:35:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[24-Nov-2023 16:35:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[27-Nov-2023 21:17:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[27-Nov-2023 21:17:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[27-Nov-2023 21:17:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[27-Nov-2023 21:17:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[27-Nov-2023 21:17:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[27-Nov-2023 21:17:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[27-Nov-2023 21:17:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[27-Nov-2023 21:17:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[27-Nov-2023 22:50:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[27-Nov-2023 22:50:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[27-Nov-2023 22:51:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[27-Nov-2023 22:51:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[27-Nov-2023 22:51:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[27-Nov-2023 22:51:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[27-Nov-2023 22:51:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[27-Nov-2023 22:51:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[27-Nov-2023 22:57:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[27-Nov-2023 22:57:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[27-Nov-2023 22:57:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[27-Nov-2023 22:57:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[27-Nov-2023 22:58:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[27-Nov-2023 22:58:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[27-Nov-2023 22:58:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[27-Nov-2023 22:58:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[28-Nov-2023 09:34:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[28-Nov-2023 11:46:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[29-Nov-2023 03:50:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[29-Nov-2023 06:18:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[30-Nov-2023 16:22:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[03-Dec-2023 15:53:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[04-Dec-2023 22:28:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[31-Dec-2023 16:00:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[05-Jan-2024 10:23:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[06-Jan-2024 01:35:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[06-Jan-2024 02:14:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[06-Jan-2024 17:00:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[09-Jan-2024 17:19:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[09-Jan-2024 18:13:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[12-Jan-2024 12:39:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[15-Jan-2024 22:53:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[16-Jan-2024 04:31:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[25-Jan-2024 18:18:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[24-Feb-2024 19:46:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[24-Feb-2024 21:29:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[24-Feb-2024 21:52:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[25-Feb-2024 00:01:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[25-Feb-2024 00:04:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[25-Feb-2024 03:19:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[25-Feb-2024 03:56:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[25-Feb-2024 04:34:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[01-Mar-2024 17:40:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[01-Mar-2024 19:57:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[07-Mar-2024 13:33:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[20-Mar-2024 20:42:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[23-Mar-2024 06:52:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[27-Mar-2024 17:34:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[01-Apr-2024 08:55:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[04-Apr-2024 05:20:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheck[28-Apr-2024 07:38:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[30-Apr-2024 15:51:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[30-Apr-2024 19:10:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[30-Apr-2024 22:18:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[01-May-2024 07:26:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[01-May-2024 16:27:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[01-May-2024 19:35:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[02-May-2024 14:14:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[02-May-2024 21:07:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[03-May-2024 17:17:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[04-May-2024 23:03:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[04-May-2024 23:03:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[04-May-2024 23:19:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[04-May-2024 23:36:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[04-May-2024 23:52:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[04-May-2024 23:52:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[04-May-2024 23:52:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[04-May-2024 23:52:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[05-May-2024 08:59:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[05-May-2024 08:59:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[05-May-2024 09:15:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[05-May-2024 09:31:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[05-May-2024 09:48:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[05-May-2024 09:48:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[05-May-2024 09:48:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[05-May-2024 09:48:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[05-May-2024 19:09:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[05-May-2024 19:09:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[05-May-2024 19:15:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[05-May-2024 19:30:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[05-May-2024 19:46:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[05-May-2024 19:46:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[05-May-2024 19:46:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[05-May-2024 19:46:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[06-May-2024 02:56:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[07-May-2024 17:31:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[12-May-2024 22:24:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[14-May-2024 06:00:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[14-May-2024 08:05:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[14-May-2024 14:13:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[14-May-2024 14:13:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[14-May-2024 14:35:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[14-May-2024 14:59:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[16-May-2024 16:04:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[16-May-2024 16:04:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[16-May-2024 16:04:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[16-May-2024 16:04:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[16-May-2024 22:32:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[17-May-2024 01:53:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[20-May-2024 01:52:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[23-May-2024 20:14:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[02-Jun-2024 21:57:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[02-Jun-2024 22:10:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[02-Jun-2024 22:18:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[05-Jun-2024 21:05:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[06-Jun-2024 21:49:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[08-Jun-2024 19:25:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[09-Jun-2024 06:56:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[09-Jun-2024 14:59:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[09-Jun-2024 15:28:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[09-Jun-2024 19:09:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[09-Jun-2024 20:23:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[09-Jun-2024 23:50:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[10-Jun-2024 16:22:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[10-Jun-2024 22:19:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[11-Jun-2024 04:13:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[14-Jun-2024 16:03:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[14-Jun-2024 16:04:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[14-Jun-2024 16:04:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[14-Jun-2024 16:04:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[14-Jun-2024 16:05:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[14-Jun-2024 16:05:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[14-Jun-2024 16:05:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[14-Jun-2024 16:05:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[18-Jun-2024 19:30:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[18-Jun-2024 19:57:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[18-Jun-2024 19:57:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[18-Jun-2024 20:00:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[18-Jun-2024 20:06:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[18-Jun-2024 20:10:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[18-Jun-2024 20:11:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[18-Jun-2024 20:11:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[18-Jun-2024 20:11:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[19-Jun-2024 04:58:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[19-Jun-2024 04:58:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[19-Jun-2024 05:02:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[19-Jun-2024 05:08:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[19-Jun-2024 05:12:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[19-Jun-2024 05:12:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[19-Jun-2024 05:12:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[19-Jun-2024 05:12:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[19-Jun-2024 16:21:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[19-Jun-2024 16:21:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[19-Jun-2024 16:25:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[19-Jun-2024 16:31:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[19-Jun-2024 16:35:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[19-Jun-2024 16:35:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[19-Jun-2024 16:35:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[19-Jun-2024 16:35:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[20-Jun-2024 14:51:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[21-Jun-2024 03:14:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[28-Jun-2024 09:59:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[02-Jul-2024 23:00:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[12-Jul-2024 22:08:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[12-Jul-2024 22:08:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[13-Jul-2024 18:57:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[13-Jul-2024 22:50:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[14-Jul-2024 05:27:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[14-Jul-2024 07:11:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[14-Jul-2024 07:57:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[14-Jul-2024 09:40:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[14-Jul-2024 14:12:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[14-Jul-2024 14:30:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[15-Jul-2024 01:14:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[15-Jul-2024 03:54:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[17-Jul-2024 20:52:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[22-Jul-2024 15:07:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[22-Jul-2024 17:37:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[22-Jul-2024 17:37:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[22-Jul-2024 17:53:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[22-Jul-2024 18:07:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[22-Jul-2024 18:22:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[22-Jul-2024 18:22:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[22-Jul-2024 18:22:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[22-Jul-2024 18:22:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[24-Jul-2024 05:58:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[24-Jul-2024 15:40:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[25-Jul-2024 09:17:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[27-Jul-2024 15:31:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[27-Jul-2024 15:31:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[07-Aug-2024 08:02:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[12-Aug-2024 18:20:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[15-Aug-2024 06:20:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[18-Aug-2024 08:19:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[18-Aug-2024 08:20:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[18-Aug-2024 10:00:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[18-Aug-2024 10:00:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[18-Aug-2024 11:01:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[18-Aug-2024 11:23:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[18-Aug-2024 11:23:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[19-Aug-2024 06:32:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[20-Aug-2024 04:59:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[20-Aug-2024 07:32:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[20-Aug-2024 08:06:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[20-Aug-2024 09:21:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[20-Aug-2024 10:16:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[20-Aug-2024 12:48:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[21-Aug-2024 05:12:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[21-Aug-2024 14:33:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[24-Aug-2024 12:12:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[24-Aug-2024 12:42:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[30-Aug-2024 19:34:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[30-Aug-2024 20:29:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[31-Aug-2024 06:34:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[01-Sep-2024 21:13:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[01-Sep-2024 21:13:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[01-Sep-2024 21:30:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[01-Sep-2024 21:46:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[01-Sep-2024 22:03:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[01-Sep-2024 22:03:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[01-Sep-2024 22:03:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[01-Sep-2024 22:03:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[09-Sep-2024 19:37:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[11-Sep-2024 15:03:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[11-Sep-2024 15:03:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[11-Sep-2024 15:03:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[11-Sep-2024 15:03:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[11-Sep-2024 15:05:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[11-Sep-2024 15:05:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[11-Sep-2024 15:07:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[11-Sep-2024 15:07:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[11-Sep-2024 15:11:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[11-Sep-2024 15:11:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[11-Sep-2024 15:11:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[11-Sep-2024 15:11:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[11-Sep-2024 15:12:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[11-Sep-2024 15:12:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[11-Sep-2024 15:12:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[11-Sep-2024 15:12:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[21-Sep-2024 15:19:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[21-Sep-2024 18:57:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[25-Sep-2024 21:44:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[26-Sep-2024 01:05:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[26-Sep-2024 06:23:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[26-Sep-2024 13:56:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[27-Sep-2024 08:24:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[27-Sep-2024 22:43:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[30-Sep-2024 04:38:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[01-Oct-2024 12:25:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[01-Oct-2024 16:13:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[01-Oct-2024 16:13:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[01-Oct-2024 18:36:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[02-Oct-2024 06:29:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[02-Oct-2024 09:41:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[02-Oct-2024 12:22:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[03-Oct-2024 17:23:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[03-Oct-2024 23:51:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[04-Oct-2024 13:42:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[07-Oct-2024 09:10:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[23-Oct-2024 14:05:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[23-Oct-2024 15:16:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[23-Oct-2024 15:16:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[29-Oct-2024 02:09:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[29-Oct-2024 02:09:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[29-Oct-2024 02:16:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[29-Oct-2024 02:27:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[29-Oct-2024 02:41:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[29-Oct-2024 02:41:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[29-Oct-2024 02:42:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[29-Oct-2024 02:42:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[29-Oct-2024 14:58:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[29-Oct-2024 17:55:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[29-Oct-2024 21:31:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[30-Oct-2024 01:26:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[30-Oct-2024 15:05:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[30-Oct-2024 15:46:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[30-Oct-2024 16:54:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[02-Nov-2024 22:00:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[05-Nov-2024 07:18:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[05-Nov-2024 15:36:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[05-Nov-2024 17:29:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[05-Nov-2024 19:20:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[05-Nov-2024 21:01:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[05-Nov-2024 21:52:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[05-Nov-2024 23:07:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[06-Nov-2024 12:59:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[06-Nov-2024 12:59:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[06-Nov-2024 13:05:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[06-Nov-2024 13:17:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[06-Nov-2024 13:31:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[06-Nov-2024 13:32:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[06-Nov-2024 13:32:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[06-Nov-2024 13:32:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[09-Nov-2024 04:11:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/GlobResourceTest.php on line 17
[09-Nov-2024 04:11:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[09-Nov-2024 04:13:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ResourceStub.php on line 16
[09-Nov-2024 04:18:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ComposerResourceTest.php on line 18
[09-Nov-2024 04:19:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ReflectionClassResourceTest.php on line 17
[09-Nov-2024 04:19:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[09-Nov-2024 04:19:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[09-Nov-2024 04:19:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
[10-Nov-2024 22:39:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileResourceTest.php on line 17
[11-Nov-2024 10:51:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/FileExistenceResourceTest.php on line 17
[11-Nov-2024 21:30:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/DirectoryResourceTest.php on line 17
[11-Nov-2024 23:19:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Resource/ClassExistenceResourceTest.php on line 18
config/Tests/Resource/GlobResourceTest.php 0000644 00000005760 14716422132 0014660 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Resource;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Resource\GlobResource;
class GlobResourceTest extends TestCase
{
protected function tearDown()
{
$dir = dirname(__DIR__).'/Fixtures';
@rmdir($dir.'/TmpGlob');
@unlink($dir.'/TmpGlob');
@unlink($dir.'/Resource/TmpGlob');
touch($dir.'/Resource/.hiddenFile');
}
public function testIterator()
{
$dir = dirname(__DIR__).DIRECTORY_SEPARATOR.'Fixtures';
$resource = new GlobResource($dir, '/Resource', true);
$paths = iterator_to_array($resource);
$file = $dir.'/Resource'.DIRECTORY_SEPARATOR.'ConditionalClass.php';
$this->assertEquals(array($file => new \SplFileInfo($file)), $paths);
$this->assertInstanceOf('SplFileInfo', current($paths));
$this->assertSame($dir, $resource->getPrefix());
}
public function testIsFreshNonRecursiveDetectsNewFile()
{
$dir = dirname(__DIR__).'/Fixtures';
$resource = new GlobResource($dir, '/*', false);
$this->assertTrue($resource->isFresh(0));
mkdir($dir.'/TmpGlob');
$this->assertTrue($resource->isFresh(0));
rmdir($dir.'/TmpGlob');
$this->assertTrue($resource->isFresh(0));
touch($dir.'/TmpGlob');
$this->assertFalse($resource->isFresh(0));
unlink($dir.'/TmpGlob');
$this->assertTrue($resource->isFresh(0));
}
public function testIsFreshNonRecursiveDetectsRemovedFile()
{
$dir = dirname(__DIR__).'/Fixtures';
$resource = new GlobResource($dir, '/*', false);
touch($dir.'/TmpGlob');
touch($dir.'/.TmpGlob');
$this->assertTrue($resource->isFresh(0));
unlink($dir.'/.TmpGlob');
$this->assertTrue($resource->isFresh(0));
unlink($dir.'/TmpGlob');
$this->assertFalse($resource->isFresh(0));
}
public function testIsFreshRecursiveDetectsRemovedFile()
{
$dir = dirname(__DIR__).'/Fixtures';
$resource = new GlobResource($dir, '/*', true);
touch($dir.'/Resource/TmpGlob');
$this->assertTrue($resource->isFresh(0));
unlink($dir.'/Resource/TmpGlob');
$this->assertFalse($resource->isFresh(0));
touch($dir.'/Resource/TmpGlob');
$this->assertTrue($resource->isFresh(0));
unlink($dir.'/Resource/.hiddenFile');
$this->assertTrue($resource->isFresh(0));
}
public function testIsFreshRecursiveDetectsNewFile()
{
$dir = dirname(__DIR__).'/Fixtures';
$resource = new GlobResource($dir, '/*', true);
$this->assertTrue($resource->isFresh(0));
touch($dir.'/Resource/TmpGlob');
$this->assertFalse($resource->isFresh(0));
}
}
config/Tests/Resource/ReflectionClassResourceTest.php 0000644 00000012020 14716422132 0017040 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Resource;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Resource\ReflectionClassResource;
class ReflectionClassResourceTest extends TestCase
{
public function testToString()
{
$res = new ReflectionClassResource(new \ReflectionClass('ErrorException'));
$this->assertSame('reflection.ErrorException', (string) $res);
}
public function testSerializeUnserialize()
{
$res = new ReflectionClassResource(new \ReflectionClass(DummyInterface::class));
$ser = unserialize(serialize($res));
$this->assertTrue($res->isFresh(0));
$this->assertTrue($ser->isFresh(0));
$this->assertSame((string) $res, (string) $ser);
}
public function testIsFresh()
{
$res = new ReflectionClassResource(new \ReflectionClass(__CLASS__));
$mtime = filemtime(__FILE__);
$this->assertTrue($res->isFresh($mtime), '->isFresh() returns true if the resource has not changed in same second');
$this->assertTrue($res->isFresh($mtime + 10), '->isFresh() returns true if the resource has not changed');
$this->assertTrue($res->isFresh($mtime - 86400), '->isFresh() returns true if the resource has not changed');
}
public function testIsFreshForDeletedResources()
{
$now = time();
$tmp = sys_get_temp_dir().'/tmp.php';
file_put_contents($tmp, 'assertTrue($res->isFresh($now));
unlink($tmp);
$this->assertFalse($res->isFresh($now), '->isFresh() returns false if the resource does not exist');
}
/**
* @dataProvider provideHashedSignature
*/
public function testHashedSignature($changeExpected, $changedLine, $changedCode)
{
$code = <<<'EOPHP'
/* 0*/
/* 1*/ class %s extends ErrorException
/* 2*/ {
/* 3*/ const FOO = 123;
/* 4*/
/* 5*/ public $pub = array();
/* 6*/
/* 7*/ protected $prot;
/* 8*/
/* 9*/ private $priv;
/*10*/
/*11*/ public function pub($arg = null) {}
/*12*/
/*13*/ protected function prot($a = array()) {}
/*14*/
/*15*/ private function priv() {}
/*16*/ }
EOPHP;
static $expectedSignature, $generateSignature;
if (null === $expectedSignature) {
eval(sprintf($code, $class = 'Foo'.str_replace('.', '_', uniqid('', true))));
$r = new \ReflectionClass(ReflectionClassResource::class);
$generateSignature = $r->getMethod('generateSignature');
$generateSignature->setAccessible(true);
$generateSignature = $generateSignature->getClosure($r->newInstanceWithoutConstructor());
$expectedSignature = implode("\n", iterator_to_array($generateSignature(new \ReflectionClass($class))));
}
$code = explode("\n", $code);
$code[$changedLine] = $changedCode;
eval(sprintf(implode("\n", $code), $class = 'Foo'.str_replace('.', '_', uniqid('', true))));
$signature = implode("\n", iterator_to_array($generateSignature(new \ReflectionClass($class))));
if ($changeExpected) {
$this->assertTrue($expectedSignature !== $signature);
} else {
$this->assertSame($expectedSignature, $signature);
}
}
public function provideHashedSignature()
{
yield array(0, 0, "// line change\n\n");
yield array(1, 0, '/** class docblock */');
yield array(1, 1, 'abstract class %s');
yield array(1, 1, 'final class %s');
yield array(1, 1, 'class %s extends Exception');
yield array(1, 1, 'class %s implements '.DummyInterface::class);
yield array(1, 3, 'const FOO = 456;');
yield array(1, 3, 'const BAR = 123;');
yield array(1, 4, '/** pub docblock */');
yield array(1, 5, 'protected $pub = array();');
yield array(1, 5, 'public $pub = array(123);');
yield array(1, 6, '/** prot docblock */');
yield array(1, 7, 'private $prot;');
yield array(0, 8, '/** priv docblock */');
yield array(0, 9, 'private $priv = 123;');
yield array(1, 10, '/** pub docblock */');
if (\PHP_VERSION_ID >= 50600) {
yield array(1, 11, 'public function pub(...$arg) {}');
}
if (\PHP_VERSION_ID >= 70000) {
yield array(1, 11, 'public function pub($arg = null): Foo {}');
}
yield array(0, 11, "public function pub(\$arg = null) {\nreturn 123;\n}");
yield array(1, 12, '/** prot docblock */');
yield array(1, 13, 'protected function prot($a = array(123)) {}');
yield array(0, 14, '/** priv docblock */');
yield array(0, 15, '');
}
}
interface DummyInterface
{
}
config/Tests/Resource/ResourceStub.php 0000644 00000001257 14716422132 0014047 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Resource;
use Symfony\Component\Config\Resource\SelfCheckingResourceInterface;
class ResourceStub implements SelfCheckingResourceInterface
{
private $fresh = true;
public function setFresh($isFresh)
{
$this->fresh = $isFresh;
}
public function __toString()
{
return 'stub';
}
public function isFresh($timestamp)
{
return $this->fresh;
}
}
config/Tests/Resource/ClassExistenceResourceTest.php 0000644 00000004231 14716422132 0016702 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Resource;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Resource\ClassExistenceResource;
use Symfony\Component\Config\Tests\Fixtures\Resource\ConditionalClass;
class ClassExistenceResourceTest extends TestCase
{
public function testToString()
{
$res = new ClassExistenceResource('BarClass');
$this->assertSame('BarClass', (string) $res);
}
public function testGetResource()
{
$res = new ClassExistenceResource('BarClass');
$this->assertSame('BarClass', $res->getResource());
}
public function testIsFreshWhenClassDoesNotExist()
{
$res = new ClassExistenceResource('Symfony\Component\Config\Tests\Fixtures\BarClass');
$this->assertTrue($res->isFresh(time()));
eval(<<assertFalse($res->isFresh(time()));
}
public function testIsFreshWhenClassExists()
{
$res = new ClassExistenceResource('Symfony\Component\Config\Tests\Resource\ClassExistenceResourceTest');
$this->assertTrue($res->isFresh(time()));
}
public function testExistsKo()
{
spl_autoload_register($autoloader = function ($class) use (&$loadedClass) { $loadedClass = $class; });
try {
$res = new ClassExistenceResource('MissingFooClass');
$this->assertTrue($res->isFresh(0));
$this->assertSame('MissingFooClass', $loadedClass);
$loadedClass = 123;
$res = new ClassExistenceResource('MissingFooClass', false);
$this->assertSame(123, $loadedClass);
} finally {
spl_autoload_unregister($autoloader);
}
}
public function testConditionalClass()
{
$res = new ClassExistenceResource(ConditionalClass::class, false);
$this->assertFalse($res->isFresh(0));
}
}
config/Tests/Resource/FileExistenceResourceTest.php 0000644 00000004216 14716422132 0016517 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Resource;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Resource\FileExistenceResource;
class FileExistenceResourceTest extends TestCase
{
protected $resource;
protected $file;
protected $time;
protected function setUp()
{
$this->file = realpath(sys_get_temp_dir()).'/tmp.xml';
$this->time = time();
$this->resource = new FileExistenceResource($this->file);
}
protected function tearDown()
{
if (file_exists($this->file)) {
unlink($this->file);
}
}
public function testToString()
{
$this->assertSame($this->file, (string) $this->resource);
}
public function testGetResource()
{
$this->assertSame($this->file, $this->resource->getResource(), '->getResource() returns the path to the resource');
}
public function testIsFreshWithExistingResource()
{
touch($this->file, $this->time);
$serialized = serialize(new FileExistenceResource($this->file));
$resource = unserialize($serialized);
$this->assertTrue($resource->isFresh($this->time), '->isFresh() returns true if the resource is still present');
unlink($this->file);
$resource = unserialize($serialized);
$this->assertFalse($resource->isFresh($this->time), '->isFresh() returns false if the resource has been deleted');
}
public function testIsFreshWithAbsentResource()
{
$serialized = serialize(new FileExistenceResource($this->file));
$resource = unserialize($serialized);
$this->assertTrue($resource->isFresh($this->time), '->isFresh() returns true if the resource is still absent');
touch($this->file, $this->time);
$resource = unserialize($serialized);
$this->assertFalse($resource->isFresh($this->time), '->isFresh() returns false if the resource has been created');
}
}
config/Tests/Resource/FileResourceTest.php 0000644 00000005034 14716422132 0014646 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Resource;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Resource\FileResource;
class FileResourceTest extends TestCase
{
protected $resource;
protected $file;
protected $time;
protected function setUp()
{
$this->file = sys_get_temp_dir().'/tmp.xml';
$this->time = time();
touch($this->file, $this->time);
$this->resource = new FileResource($this->file);
}
protected function tearDown()
{
if (!file_exists($this->file)) {
return;
}
unlink($this->file);
}
public function testGetResource()
{
$this->assertSame(realpath($this->file), $this->resource->getResource(), '->getResource() returns the path to the resource');
}
public function testGetResourceWithScheme()
{
$resource = new FileResource('file://'.$this->file);
$this->assertSame('file://'.$this->file, $resource->getResource(), '->getResource() returns the path to the schemed resource');
}
public function testToString()
{
$this->assertSame(realpath($this->file), (string) $this->resource);
}
/**
* @expectedException \InvalidArgumentException
* @expectedExceptionMessageRegExp /The file ".*" does not exist./
*/
public function testResourceDoesNotExist()
{
$resource = new FileResource('/____foo/foobar'.mt_rand(1, 999999));
}
public function testIsFresh()
{
$this->assertTrue($this->resource->isFresh($this->time), '->isFresh() returns true if the resource has not changed in same second');
$this->assertTrue($this->resource->isFresh($this->time + 10), '->isFresh() returns true if the resource has not changed');
$this->assertFalse($this->resource->isFresh($this->time - 86400), '->isFresh() returns false if the resource has been updated');
}
public function testIsFreshForDeletedResources()
{
unlink($this->file);
$this->assertFalse($this->resource->isFresh($this->time), '->isFresh() returns false if the resource does not exist');
}
public function testSerializeUnserialize()
{
$unserialized = unserialize(serialize($this->resource));
$this->assertSame(realpath($this->file), $this->resource->getResource());
}
}
config/Tests/Util/XmlUtilsTest.php 0000644 00000017206 14716422132 0013172 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Tests\Util;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Config\Util\XmlUtils;
class XmlUtilsTest extends TestCase
{
public function testLoadFile()
{
$fixtures = __DIR__.'/../Fixtures/Util/';
try {
XmlUtils::loadFile($fixtures.'invalid.xml');
$this->fail();
} catch (\InvalidArgumentException $e) {
$this->assertContains('ERROR 77', $e->getMessage());
}
try {
XmlUtils::loadFile($fixtures.'document_type.xml');
$this->fail();
} catch (\InvalidArgumentException $e) {
$this->assertContains('Document types are not allowed', $e->getMessage());
}
try {
XmlUtils::loadFile($fixtures.'invalid_schema.xml', $fixtures.'schema.xsd');
$this->fail();
} catch (\InvalidArgumentException $e) {
$this->assertContains('ERROR 1845', $e->getMessage());
}
try {
XmlUtils::loadFile($fixtures.'invalid_schema.xml', 'invalid_callback_or_file');
$this->fail();
} catch (\InvalidArgumentException $e) {
$this->assertContains('XSD file or callable', $e->getMessage());
}
$mock = $this->getMockBuilder(__NAMESPACE__.'\Validator')->getMock();
$mock->expects($this->exactly(2))->method('validate')->will($this->onConsecutiveCalls(false, true));
try {
XmlUtils::loadFile($fixtures.'valid.xml', array($mock, 'validate'));
$this->fail();
} catch (\InvalidArgumentException $e) {
$this->assertContains('is not valid', $e->getMessage());
}
$this->assertInstanceOf('DOMDocument', XmlUtils::loadFile($fixtures.'valid.xml', array($mock, 'validate')));
$this->assertSame(array(), libxml_get_errors());
}
public function testLoadFileWithInternalErrorsEnabled()
{
$internalErrors = libxml_use_internal_errors(true);
$this->assertSame(array(), libxml_get_errors());
$this->assertInstanceOf('DOMDocument', XmlUtils::loadFile(__DIR__.'/../Fixtures/Util/invalid_schema.xml'));
$this->assertSame(array(), libxml_get_errors());
libxml_clear_errors();
libxml_use_internal_errors($internalErrors);
}
/**
* @dataProvider getDataForConvertDomToArray
*/
public function testConvertDomToArray($expected, $xml, $root = false, $checkPrefix = true)
{
$dom = new \DOMDocument();
$dom->loadXML($root ? $xml : ''.$xml.'');
$this->assertSame($expected, XmlUtils::convertDomElementToArray($dom->documentElement, $checkPrefix));
}
public function getDataForConvertDomToArray()
{
return array(
array(null, ''),
array('bar', 'bar'),
array(array('bar' => 'foobar'), '', true),
array(array('foo' => null), ''),
array(array('foo' => 'bar'), 'bar'),
array(array('foo' => array('foo' => 'bar')), ''),
array(array('foo' => array('foo' => 0)), '0'),
array(array('foo' => array('foo' => 'bar')), 'bar'),
array(array('foo' => array('foo' => 'bar', 'value' => 'text')), 'text'),
array(array('foo' => array('attr' => 'bar', 'foo' => 'text')), 'text'),
array(array('foo' => array('bar', 'text')), 'bartext'),
array(array('foo' => array(array('foo' => 'bar'), array('foo' => 'text'))), ''),
array(array('foo' => array('foo' => array('bar', 'text'))), 'text'),
array(array('foo' => 'bar'), 'bar'),
array(array('foo' => 'text'), 'text'),
array(array('foo' => array('bar' => 'bar', 'value' => 'text')), 'text', false, false),
array(array('attr' => 1, 'b' => 'hello'), 'hello2', true),
);
}
/**
* @dataProvider getDataForPhpize
*/
public function testPhpize($expected, $value)
{
$this->assertSame($expected, XmlUtils::phpize($value));
}
public function getDataForPhpize()
{
return array(
array('', ''),
array(null, 'null'),
array(true, 'true'),
array(false, 'false'),
array(null, 'Null'),
array(true, 'True'),
array(false, 'False'),
array(0, '0'),
array(1, '1'),
array(-1, '-1'),
array(0777, '0777'),
array(255, '0xFF'),
array(100.0, '1e2'),
array(-120.0, '-1.2E2'),
array(-10100.1, '-10100.1'),
array('-10,100.1', '-10,100.1'),
array('1234 5678 9101 1121 3141', '1234 5678 9101 1121 3141'),
array('1,2,3,4', '1,2,3,4'),
array('11,22,33,44', '11,22,33,44'),
array('11,222,333,4', '11,222,333,4'),
array('1,222,333,444', '1,222,333,444'),
array('11,222,333,444', '11,222,333,444'),
array('111,222,333,444', '111,222,333,444'),
array('1111,2222,3333,4444,5555', '1111,2222,3333,4444,5555'),
array('foo', 'foo'),
array(6, '0b0110'),
);
}
public function testLoadEmptyXmlFile()
{
$file = __DIR__.'/../Fixtures/foo.xml';
if (method_exists($this, 'expectException')) {
$this->expectException('InvalidArgumentException');
$this->expectExceptionMessage(sprintf('File %s does not contain valid XML, it is empty.', $file));
} else {
$this->setExpectedException('InvalidArgumentException', sprintf('File %s does not contain valid XML, it is empty.', $file));
}
XmlUtils::loadFile($file);
}
// test for issue https://github.com/symfony/symfony/issues/9731
public function testLoadWrongEmptyXMLWithErrorHandler()
{
$originalDisableEntities = libxml_disable_entity_loader(false);
$errorReporting = error_reporting(-1);
set_error_handler(function ($errno, $errstr) {
throw new \Exception($errstr, $errno);
});
$file = __DIR__.'/../Fixtures/foo.xml';
try {
try {
XmlUtils::loadFile($file);
$this->fail('An exception should have been raised');
} catch (\InvalidArgumentException $e) {
$this->assertEquals(sprintf('File %s does not contain valid XML, it is empty.', $file), $e->getMessage());
}
} finally {
restore_error_handler();
error_reporting($errorReporting);
}
$disableEntities = libxml_disable_entity_loader(true);
libxml_disable_entity_loader($disableEntities);
libxml_disable_entity_loader($originalDisableEntities);
$this->assertFalse($disableEntities);
// should not throw an exception
XmlUtils::loadFile(__DIR__.'/../Fixtures/Util/valid.xml', __DIR__.'/../Fixtures/Util/schema.xsd');
}
}
interface Validator
{
public function validate();
}
config/Tests/Util/error_log; 0000644 00000022250 14716422132 0012043 0 ustar 00 [26-Sep-2023 20:49:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[01-Oct-2023 15:35:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[01-Oct-2023 17:57:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[25-Nov-2023 17:05:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[26-Nov-2023 21:09:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[27-Nov-2023 15:10:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[28-Nov-2023 02:14:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[15-Jan-2024 00:16:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[20-Feb-2024 18:47:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[27-Feb-2024 18:25:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[30-Mar-2024 06:07:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[11-Apr-2024 07:23:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[27-Apr-2024 18:59:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[04-May-2024 22:37:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[04-May-2024 22:53:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[05-May-2024 08:49:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[05-May-2024 18:59:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[14-May-2024 13:51:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[20-May-2024 08:00:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[23-May-2024 05:47:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[26-May-2024 02:16:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[05-Jun-2024 04:59:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[14-Jun-2024 16:03:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[15-Jun-2024 02:23:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[18-Jun-2024 19:53:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[19-Jun-2024 04:54:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[19-Jun-2024 16:17:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[03-Jul-2024 17:05:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[13-Jul-2024 09:37:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[22-Jul-2024 17:28:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[14-Aug-2024 09:15:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[20-Aug-2024 00:15:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[30-Aug-2024 16:26:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[30-Aug-2024 16:26:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[01-Sep-2024 21:04:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[21-Sep-2024 16:47:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[26-Sep-2024 13:58:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[07-Oct-2024 04:59:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[14-Oct-2024 20:23:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[24-Oct-2024 13:43:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[29-Oct-2024 02:00:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[29-Oct-2024 13:59:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[30-Oct-2024 11:21:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[01-Nov-2024 05:44:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[06-Nov-2024 12:45:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
[09-Nov-2024 04:12:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Tests/Util/XmlUtilsTest.php on line 17
config/error_log; 0000644 00000220374 14716422132 0010033 0 ustar 00 [16-Sep-2023 12:12:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[17-Sep-2023 03:43:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[22-Sep-2023 19:53:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[25-Sep-2023 16:22:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[25-Sep-2023 16:22:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[25-Sep-2023 19:38:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[25-Sep-2023 19:38:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[27-Sep-2023 00:33:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[27-Sep-2023 00:33:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[27-Sep-2023 00:50:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[27-Sep-2023 00:50:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[27-Sep-2023 18:10:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[27-Sep-2023 18:11:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[27-Sep-2023 18:11:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[27-Sep-2023 19:49:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[27-Sep-2023 19:50:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[27-Sep-2023 19:50:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[28-Sep-2023 14:07:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[28-Sep-2023 14:07:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[28-Sep-2023 14:07:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[28-Sep-2023 14:44:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[28-Sep-2023 14:44:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[28-Sep-2023 14:45:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[14-Nov-2023 08:43:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[14-Nov-2023 08:43:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[15-Nov-2023 10:19:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[15-Nov-2023 10:19:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[15-Nov-2023 10:58:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[15-Nov-2023 10:58:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[16-Nov-2023 12:16:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[17-Nov-2023 12:07:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[17-Nov-2023 12:07:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[18-Nov-2023 04:40:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[18-Nov-2023 04:40:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[18-Nov-2023 04:40:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[18-Nov-2023 22:08:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[18-Nov-2023 22:09:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[18-Nov-2023 22:09:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[18-Nov-2023 22:34:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[18-Nov-2023 22:35:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[18-Nov-2023 22:35:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[20-Nov-2023 02:51:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[20-Nov-2023 02:51:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[20-Nov-2023 02:51:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[22-Nov-2023 06:45:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[22-Nov-2023 08:21:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[27-Nov-2023 03:39:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[28-Nov-2023 11:10:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[02-Dec-2023 16:40:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[02-Dec-2023 16:59:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[03-Dec-2023 16:38:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[08-Dec-2023 23:21:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[03-Jan-2024 08:21:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[06-Jan-2024 00:38:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[17-Jan-2024 11:50:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[25-Jan-2024 01:19:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[25-Jan-2024 11:48:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[30-Jan-2024 10:23:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[06-Feb-2024 14:29:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[06-Feb-2024 14:41:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[06-Feb-2024 16:45:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[06-Feb-2024 17:05:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[06-Feb-2024 17:09:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[11-Feb-2024 15:39:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[15-Feb-2024 09:16:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[15-Feb-2024 14:30:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[15-Feb-2024 17:32:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[16-Feb-2024 01:36:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[16-Feb-2024 14:31:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[23-Feb-2024 22:48:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[28-Feb-2024 20:49:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[28-Feb-2024 21:35:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php [04-Mar-2024 20:30:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[05-Mar-2024 18:13:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[17-Mar-2024 01:20:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[18-Mar-2024 13:58:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[30-Mar-2024 23:16:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[11-Apr-2024 05:15:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[12-Apr-2024 20:55:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[13-Apr-2024 12:51:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[13-Apr-2024 18:14:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[14-Apr-2024 02:44:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[14-Apr-2024 15:04:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[15-Apr-2024 06:03:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[17-Apr-2024 01:53:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[21-Apr-2024 19:29:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[03-May-2024 05:48:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[04-May-2024 21:01:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[04-May-2024 21:04:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[04-May-2024 21:37:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[04-May-2024 21:37:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[04-May-2024 21:37:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[04-May-2024 21:37:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[04-May-2024 21:38:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[05-May-2024 07:31:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[05-May-2024 07:31:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[05-May-2024 07:32:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[05-May-2024 07:32:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[05-May-2024 07:32:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[05-May-2024 17:41:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[05-May-2024 17:41:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[05-May-2024 17:41:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[05-May-2024 17:42:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[05-May-2024 17:42:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[06-May-2024 02:02:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[14-May-2024 04:05:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[14-May-2024 11:49:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[14-May-2024 11:49:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[14-May-2024 11:49:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[14-May-2024 11:50:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[14-May-2024 11:50:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[15-May-2024 19:48:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[15-May-2024 23:20:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[15-May-2024 23:47:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[16-May-2024 04:02:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[17-May-2024 12:37:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[18-May-2024 16:11:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[19-May-2024 21:38:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[20-May-2024 14:18:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[22-May-2024 08:12:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[22-May-2024 08:58:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[22-May-2024 09:23:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[22-May-2024 11:57:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[24-May-2024 02:23:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[27-May-2024 08:56:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[28-May-2024 00:01:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[02-Jun-2024 21:15:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[08-Jun-2024 11:58:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[08-Jun-2024 16:31:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[14-Jun-2024 15:57:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[14-Jun-2024 15:57:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[14-Jun-2024 15:57:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[14-Jun-2024 15:58:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[14-Jun-2024 15:58:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[14-Jun-2024 18:22:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[14-Jun-2024 23:48:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[15-Jun-2024 00:34:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[18-Jun-2024 19:22:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[18-Jun-2024 19:22:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[18-Jun-2024 19:22:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[18-Jun-2024 19:22:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[18-Jun-2024 19:23:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[19-Jun-2024 04:23:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[19-Jun-2024 04:23:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[19-Jun-2024 04:23:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[19-Jun-2024 04:23:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[19-Jun-2024 04:23:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[19-Jun-2024 15:46:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[19-Jun-2024 15:46:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[19-Jun-2024 15:46:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[19-Jun-2024 15:46:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[19-Jun-2024 15:46:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[19-Jun-2024 23:35:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[20-Jun-2024 06:27:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[20-Jun-2024 19:26:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[20-Jun-2024 21:20:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[21-Jun-2024 01:32:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[26-Jun-2024 10:02:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[26-Jun-2024 15:36:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[26-Jun-2024 17:34:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[26-Jun-2024 21:42:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[26-Jun-2024 21:46:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[26-Jun-2024 23:44:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[27-Jun-2024 01:42:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[27-Jun-2024 21:05:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[28-Jun-2024 06:13:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[02-Jul-2024 06:45:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[05-Jul-2024 00:39:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[05-Jul-2024 10:12:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[05-Jul-2024 10:12:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[05-Jul-2024 10:13:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[05-Jul-2024 10:14:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[05-Jul-2024 10:14:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[07-Jul-2024 11:58:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[11-Jul-2024 01:00:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[11-Jul-2024 21:24:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[12-Jul-2024 21:17:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[12-Jul-2024 21:59:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[13-Jul-2024 07:57:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[17-Jul-2024 02:02:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[17-Jul-2024 17:53:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[18-Jul-2024 09:53:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[18-Jul-2024 11:06:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[19-Jul-2024 01:00:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[19-Jul-2024 04:38:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[22-Jul-2024 13:10:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[22-Jul-2024 13:10:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[22-Jul-2024 16:10:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[22-Jul-2024 16:10:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[22-Jul-2024 16:10:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[22-Jul-2024 16:10:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[22-Jul-2024 16:10:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[22-Jul-2024 22:41:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[23-Jul-2024 09:26:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[23-Jul-2024 12:33:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[23-Jul-2024 14:25:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[24-Jul-2024 04:05:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[24-Jul-2024 04:53:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[24-Jul-2024 08:25:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[28-Jul-2024 13:02:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[28-Jul-2024 14:24:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[28-Jul-2024 22:07:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[29-Jul-2024 02:41:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[29-Jul-2024 15:33:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[30-Jul-2024 05:35:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[01-Aug-2024 05:01:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[02-Aug-2024 14:37:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[02-Aug-2024 23:48:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[06-Aug-2024 12:36:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[07-Aug-2024 09:14:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[08-Aug-2024 10:40:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[09-Aug-2024 07:13:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[10-Aug-2024 03:52:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[12-Aug-2024 21:04:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[13-Aug-2024 16:52:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[13-Aug-2024 17:00:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[15-Aug-2024 01:26:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[15-Aug-2024 03:17:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[17-Aug-2024 04:01:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[17-Aug-2024 05:06:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[17-Aug-2024 09:47:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[18-Aug-2024 08:56:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[18-Aug-2024 09:56:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[23-Aug-2024 09:48:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[23-Aug-2024 23:05:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[24-Aug-2024 00:04:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[24-Aug-2024 01:24:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[24-Aug-2024 02:16:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[24-Aug-2024 02:52:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[25-Aug-2024 22:26:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[29-Aug-2024 05:23:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[29-Aug-2024 11:33:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[30-Aug-2024 05:55:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[30-Aug-2024 12:34:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[30-Aug-2024 12:34:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[30-Aug-2024 12:34:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[30-Aug-2024 12:34:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[30-Aug-2024 12:34:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[30-Aug-2024 12:59:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[30-Aug-2024 12:59:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[30-Aug-2024 12:59:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[30-Aug-2024 12:59:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[30-Aug-2024 13:00:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[01-Sep-2024 19:48:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[01-Sep-2024 19:48:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[01-Sep-2024 19:48:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[01-Sep-2024 19:48:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[01-Sep-2024 19:49:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[02-Sep-2024 07:22:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[03-Sep-2024 10:50:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[03-Sep-2024 12:41:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[03-Sep-2024 13:24:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[03-Sep-2024 14:32:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[03-Sep-2024 18:51:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[03-Sep-2024 21:08:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[04-Sep-2024 03:09:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[04-Sep-2024 04:41:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[04-Sep-2024 06:45:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[04-Sep-2024 23:01:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[06-Sep-2024 07:51:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[08-Sep-2024 20:11:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[09-Sep-2024 20:25:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[11-Sep-2024 22:03:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[13-Sep-2024 22:23:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[15-Sep-2024 09:01:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[15-Sep-2024 16:14:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[17-Sep-2024 13:23:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[17-Sep-2024 20:32:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[19-Sep-2024 03:19:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[19-Sep-2024 16:38:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[19-Sep-2024 19:21:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[22-Sep-2024 12:48:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[24-Sep-2024 12:46:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[24-Sep-2024 20:27:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[25-Sep-2024 02:02:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[25-Sep-2024 22:45:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[01-Oct-2024 04:17:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[01-Oct-2024 10:49:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[01-Oct-2024 15:58:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[01-Oct-2024 19:08:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[02-Oct-2024 16:21:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[03-Oct-2024 06:36:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[06-Oct-2024 13:14:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[06-Oct-2024 13:52:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[06-Oct-2024 17:05:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[06-Oct-2024 19:48:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[06-Oct-2024 22:09:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[07-Oct-2024 00:04:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[07-Oct-2024 03:57:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[07-Oct-2024 04:29:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[12-Oct-2024 01:05:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[16-Oct-2024 14:11:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[17-Oct-2024 16:16:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[18-Oct-2024 10:16:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[18-Oct-2024 10:18:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[18-Oct-2024 10:21:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[18-Oct-2024 10:21:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[18-Oct-2024 10:26:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[22-Oct-2024 09:07:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[22-Oct-2024 09:20:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[22-Oct-2024 17:59:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[23-Oct-2024 11:15:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[29-Oct-2024 00:49:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[29-Oct-2024 00:49:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[29-Oct-2024 00:49:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[29-Oct-2024 00:49:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[29-Oct-2024 00:50:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[02-Nov-2024 12:02:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[04-Nov-2024 02:23:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[06-Nov-2024 11:32:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[06-Nov-2024 11:32:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[06-Nov-2024 11:32:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[06-Nov-2024 11:33:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[06-Nov-2024 11:33:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[06-Nov-2024 21:46:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[09-Nov-2024 01:21:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[09-Nov-2024 01:21:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[09-Nov-2024 01:21:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[09-Nov-2024 01:21:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[09-Nov-2024 01:21:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[10-Nov-2024 00:06:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCacheFactory.php on line 20
[10-Nov-2024 04:15:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheFactoryInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCacheFactory.php on line 23
[10-Nov-2024 05:33:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
[10-Nov-2024 07:40:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\FileLocatorInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/FileLocator.php on line 21
[10-Nov-2024 15:26:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ConfigCacheInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ResourceCheckerConfigCache.php on line 24
[10-Nov-2024 16:59:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\ResourceCheckerConfigCache' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/ConfigCache.php on line 26
config/phpunit.xml.dist 0000644 00000001564 14716422132 0011174 0 ustar 00
./Tests/
./
./Resources
./Tests
./vendor
config/ConfigCacheInterface.php 0000644 00000002460 14716422132 0012500 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config;
use Symfony\Component\Config\Resource\ResourceInterface;
/**
* Interface for ConfigCache.
*
* @author Matthias Pigulla
*/
interface ConfigCacheInterface
{
/**
* Gets the cache file path.
*
* @return string The cache file path
*/
public function getPath();
/**
* Checks if the cache is still fresh.
*
* This check should take the metadata passed to the write() method into consideration.
*
* @return bool Whether the cache is still fresh
*/
public function isFresh();
/**
* Writes the given content into the cache file. Metadata will be stored
* independently and can be used to check cache freshness at a later time.
*
* @param string $content The content to write into the cache
* @param ResourceInterface[]|null $metadata An array of ResourceInterface instances
*
* @throws \RuntimeException When the cache file cannot be written
*/
public function write($content, array $metadata = null);
}
config/ConfigCacheFactoryInterface.php 0000644 00000001716 14716422132 0014033 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config;
/**
* Interface for a ConfigCache factory. This factory creates
* an instance of ConfigCacheInterface and initializes the
* cache if necessary.
*
* @author Matthias Pigulla
*/
interface ConfigCacheFactoryInterface
{
/**
* Creates a cache instance and (re-)initializes it if necessary.
*
* @param string $file The absolute cache file path
* @param callable $callable The callable to be executed when the cache needs to be filled (i. e. is not fresh). The cache will be passed as the only parameter to this callback
*
* @return ConfigCacheInterface $configCache The cache instance
*/
public function cache($file, $callable);
}
config/Definition/EnumNode.php 0000644 00000002775 14716422132 0012341 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
use Symfony\Component\Config\Definition\Exception\InvalidConfigurationException;
/**
* Node which only allows a finite set of values.
*
* @author Johannes M. Schmitt
*/
class EnumNode extends ScalarNode
{
private $values;
public function __construct($name, NodeInterface $parent = null, array $values = array())
{
$values = array_unique($values);
if (empty($values)) {
throw new \InvalidArgumentException('$values must contain at least one element.');
}
parent::__construct($name, $parent);
$this->values = $values;
}
public function getValues()
{
return $this->values;
}
protected function finalizeValue($value)
{
$value = parent::finalizeValue($value);
if (!in_array($value, $this->values, true)) {
$ex = new InvalidConfigurationException(sprintf(
'The value %s is not allowed for path "%s". Permissible values: %s',
json_encode($value),
$this->getPath(),
implode(', ', array_map('json_encode', $this->values))));
$ex->setPath($this->getPath());
throw $ex;
}
return $value;
}
}
config/Definition/PrototypedArrayNode.php 0000644 00000030643 14716422132 0014600 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
use Symfony\Component\Config\Definition\Exception\InvalidConfigurationException;
use Symfony\Component\Config\Definition\Exception\DuplicateKeyException;
use Symfony\Component\Config\Definition\Exception\UnsetKeyException;
use Symfony\Component\Config\Definition\Exception\Exception;
/**
* Represents a prototyped Array node in the config tree.
*
* @author Johannes M. Schmitt
*/
class PrototypedArrayNode extends ArrayNode
{
protected $prototype;
protected $keyAttribute;
protected $removeKeyAttribute = false;
protected $minNumberOfElements = 0;
protected $defaultValue = array();
protected $defaultChildren;
/**
* @var NodeInterface[] An array of the prototypes of the simplified value children
*/
private $valuePrototypes = array();
/**
* Sets the minimum number of elements that a prototype based node must
* contain. By default this is zero, meaning no elements.
*
* @param int $number
*/
public function setMinNumberOfElements($number)
{
$this->minNumberOfElements = $number;
}
/**
* Sets the attribute which value is to be used as key.
*
* This is useful when you have an indexed array that should be an
* associative array. You can select an item from within the array
* to be the key of the particular item. For example, if "id" is the
* "key", then:
*
* array(
* array('id' => 'my_name', 'foo' => 'bar'),
* );
*
* becomes
*
* array(
* 'my_name' => array('foo' => 'bar'),
* );
*
* If you'd like "'id' => 'my_name'" to still be present in the resulting
* array, then you can set the second argument of this method to false.
*
* @param string $attribute The name of the attribute which value is to be used as a key
* @param bool $remove Whether or not to remove the key
*/
public function setKeyAttribute($attribute, $remove = true)
{
$this->keyAttribute = $attribute;
$this->removeKeyAttribute = $remove;
}
/**
* Retrieves the name of the attribute which value should be used as key.
*
* @return string The name of the attribute
*/
public function getKeyAttribute()
{
return $this->keyAttribute;
}
/**
* Sets the default value of this node.
*
* @param string $value
*
* @throws \InvalidArgumentException if the default value is not an array
*/
public function setDefaultValue($value)
{
if (!is_array($value)) {
throw new \InvalidArgumentException($this->getPath().': the default value of an array node has to be an array.');
}
$this->defaultValue = $value;
}
/**
* Checks if the node has a default value.
*
* @return bool
*/
public function hasDefaultValue()
{
return true;
}
/**
* Adds default children when none are set.
*
* @param int|string|array|null $children The number of children|The child name|The children names to be added
*/
public function setAddChildrenIfNoneSet($children = array('defaults'))
{
if (null === $children) {
$this->defaultChildren = array('defaults');
} else {
$this->defaultChildren = is_int($children) && $children > 0 ? range(1, $children) : (array) $children;
}
}
/**
* Retrieves the default value.
*
* The default value could be either explicited or derived from the prototype
* default value.
*
* @return array The default value
*/
public function getDefaultValue()
{
if (null !== $this->defaultChildren) {
$default = $this->prototype->hasDefaultValue() ? $this->prototype->getDefaultValue() : array();
$defaults = array();
foreach (array_values($this->defaultChildren) as $i => $name) {
$defaults[null === $this->keyAttribute ? $i : $name] = $default;
}
return $defaults;
}
return $this->defaultValue;
}
/**
* Sets the node prototype.
*
* @param PrototypeNodeInterface $node
*/
public function setPrototype(PrototypeNodeInterface $node)
{
$this->prototype = $node;
}
/**
* Retrieves the prototype.
*
* @return PrototypeNodeInterface The prototype
*/
public function getPrototype()
{
return $this->prototype;
}
/**
* Disable adding concrete children for prototyped nodes.
*
* @param NodeInterface $node The child node to add
*
* @throws Exception
*/
public function addChild(NodeInterface $node)
{
throw new Exception('A prototyped array node can not have concrete children.');
}
/**
* Finalizes the value of this node.
*
* @param mixed $value
*
* @return mixed The finalized value
*
* @throws UnsetKeyException
* @throws InvalidConfigurationException if the node doesn't have enough children
*/
protected function finalizeValue($value)
{
if (false === $value) {
$msg = sprintf('Unsetting key for path "%s", value: %s', $this->getPath(), json_encode($value));
throw new UnsetKeyException($msg);
}
foreach ($value as $k => $v) {
$prototype = $this->getPrototypeForChild($k);
try {
$value[$k] = $prototype->finalize($v);
} catch (UnsetKeyException $e) {
unset($value[$k]);
}
}
if (count($value) < $this->minNumberOfElements) {
$msg = sprintf('The path "%s" should have at least %d element(s) defined.', $this->getPath(), $this->minNumberOfElements);
$ex = new InvalidConfigurationException($msg);
$ex->setPath($this->getPath());
throw $ex;
}
return $value;
}
/**
* Normalizes the value.
*
* @param mixed $value The value to normalize
*
* @return mixed The normalized value
*
* @throws InvalidConfigurationException
* @throws DuplicateKeyException
*/
protected function normalizeValue($value)
{
if (false === $value) {
return $value;
}
$value = $this->remapXml($value);
$isAssoc = array_keys($value) !== range(0, count($value) - 1);
$normalized = array();
foreach ($value as $k => $v) {
if (null !== $this->keyAttribute && is_array($v)) {
if (!isset($v[$this->keyAttribute]) && is_int($k) && !$isAssoc) {
$msg = sprintf('The attribute "%s" must be set for path "%s".', $this->keyAttribute, $this->getPath());
$ex = new InvalidConfigurationException($msg);
$ex->setPath($this->getPath());
throw $ex;
} elseif (isset($v[$this->keyAttribute])) {
$k = $v[$this->keyAttribute];
// remove the key attribute when required
if ($this->removeKeyAttribute) {
unset($v[$this->keyAttribute]);
}
// if only "value" is left
if (array_keys($v) === array('value')) {
$v = $v['value'];
if ($this->prototype instanceof ArrayNode && ($children = $this->prototype->getChildren()) && array_key_exists('value', $children)) {
$valuePrototype = current($this->valuePrototypes) ?: clone $children['value'];
$valuePrototype->parent = $this;
$originalClosures = $this->prototype->normalizationClosures;
if (is_array($originalClosures)) {
$valuePrototypeClosures = $valuePrototype->normalizationClosures;
$valuePrototype->normalizationClosures = is_array($valuePrototypeClosures) ? array_merge($originalClosures, $valuePrototypeClosures) : $originalClosures;
}
$this->valuePrototypes[$k] = $valuePrototype;
}
}
}
if (array_key_exists($k, $normalized)) {
$msg = sprintf('Duplicate key "%s" for path "%s".', $k, $this->getPath());
$ex = new DuplicateKeyException($msg);
$ex->setPath($this->getPath());
throw $ex;
}
}
$prototype = $this->getPrototypeForChild($k);
if (null !== $this->keyAttribute || $isAssoc) {
$normalized[$k] = $prototype->normalize($v);
} else {
$normalized[] = $prototype->normalize($v);
}
}
return $normalized;
}
/**
* Merges values together.
*
* @param mixed $leftSide The left side to merge
* @param mixed $rightSide The right side to merge
*
* @return mixed The merged values
*
* @throws InvalidConfigurationException
* @throws \RuntimeException
*/
protected function mergeValues($leftSide, $rightSide)
{
if (false === $rightSide) {
// if this is still false after the last config has been merged the
// finalization pass will take care of removing this key entirely
return false;
}
if (false === $leftSide || !$this->performDeepMerging) {
return $rightSide;
}
foreach ($rightSide as $k => $v) {
// prototype, and key is irrelevant, so simply append the element
if (null === $this->keyAttribute) {
$leftSide[] = $v;
continue;
}
// no conflict
if (!array_key_exists($k, $leftSide)) {
if (!$this->allowNewKeys) {
$ex = new InvalidConfigurationException(sprintf(
'You are not allowed to define new elements for path "%s". '.
'Please define all elements for this path in one config file.',
$this->getPath()
));
$ex->setPath($this->getPath());
throw $ex;
}
$leftSide[$k] = $v;
continue;
}
$prototype = $this->getPrototypeForChild($k);
$leftSide[$k] = $prototype->merge($leftSide[$k], $v);
}
return $leftSide;
}
/**
* Returns a prototype for the child node that is associated to $key in the value array.
* For general child nodes, this will be $this->prototype.
* But if $this->removeKeyAttribute is true and there are only two keys in the child node:
* one is same as this->keyAttribute and the other is 'value', then the prototype will be different.
*
* For example, assume $this->keyAttribute is 'name' and the value array is as follows:
* array(
* array(
* 'name' => 'name001',
* 'value' => 'value001'
* )
* )
*
* Now, the key is 0 and the child node is:
* array(
* 'name' => 'name001',
* 'value' => 'value001'
* )
*
* When normalizing the value array, the 'name' element will removed from the child node
* and its value becomes the new key of the child node:
* array(
* 'name001' => array('value' => 'value001')
* )
*
* Now only 'value' element is left in the child node which can be further simplified into a string:
* array('name001' => 'value001')
*
* Now, the key becomes 'name001' and the child node becomes 'value001' and
* the prototype of child node 'name001' should be a ScalarNode instead of an ArrayNode instance.
*
* @param string $key The key of the child node
*
* @return mixed The prototype instance
*/
private function getPrototypeForChild($key)
{
$prototype = isset($this->valuePrototypes[$key]) ? $this->valuePrototypes[$key] : $this->prototype;
$prototype->setName($key);
return $prototype;
}
}
config/Definition/ConfigurationInterface.php 0000644 00000001145 14716422132 0015245 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
/**
* Configuration interface.
*
* @author Victor Berchet
*/
interface ConfigurationInterface
{
/**
* Generates the configuration tree builder.
*
* @return \Symfony\Component\Config\Definition\Builder\TreeBuilder The tree builder
*/
public function getConfigTreeBuilder();
}
config/Definition/NumericNode.php 0000644 00000003315 14716422132 0013026 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
use Symfony\Component\Config\Definition\Exception\InvalidConfigurationException;
/**
* This node represents a numeric value in the config tree.
*
* @author David Jeanmonod
*/
class NumericNode extends ScalarNode
{
protected $min;
protected $max;
public function __construct($name, NodeInterface $parent = null, $min = null, $max = null)
{
parent::__construct($name, $parent);
$this->min = $min;
$this->max = $max;
}
/**
* {@inheritdoc}
*/
protected function finalizeValue($value)
{
$value = parent::finalizeValue($value);
$errorMsg = null;
if (isset($this->min) && $value < $this->min) {
$errorMsg = sprintf('The value %s is too small for path "%s". Should be greater than or equal to %s', $value, $this->getPath(), $this->min);
}
if (isset($this->max) && $value > $this->max) {
$errorMsg = sprintf('The value %s is too big for path "%s". Should be less than or equal to %s', $value, $this->getPath(), $this->max);
}
if (isset($errorMsg)) {
$ex = new InvalidConfigurationException($errorMsg);
$ex->setPath($this->getPath());
throw $ex;
}
return $value;
}
/**
* {@inheritdoc}
*/
protected function isValueEmpty($value)
{
// a numeric value cannot be empty
return false;
}
}
config/Definition/NodeInterface.php 0000644 00000003612 14716422132 0013324 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
/**
* Common Interface among all nodes.
*
* In most cases, it is better to inherit from BaseNode instead of implementing
* this interface yourself.
*
* @author Johannes M. Schmitt
*/
interface NodeInterface
{
/**
* Returns the name of the node.
*
* @return string The name of the node
*/
public function getName();
/**
* Returns the path of the node.
*
* @return string The node path
*/
public function getPath();
/**
* Returns true when the node is required.
*
* @return bool If the node is required
*/
public function isRequired();
/**
* Returns true when the node has a default value.
*
* @return bool If the node has a default value
*/
public function hasDefaultValue();
/**
* Returns the default value of the node.
*
* @return mixed The default value
*
* @throws \RuntimeException if the node has no default value
*/
public function getDefaultValue();
/**
* Normalizes the supplied value.
*
* @param mixed $value The value to normalize
*
* @return mixed The normalized value
*/
public function normalize($value);
/**
* Merges two values together.
*
* @param mixed $leftSide
* @param mixed $rightSide
*
* @return mixed The merged values
*/
public function merge($leftSide, $rightSide);
/**
* Finalizes a value.
*
* @param mixed $value The value to finalize
*
* @return mixed The finalized value
*/
public function finalize($value);
}
config/Definition/BooleanNode.php 0000644 00000002251 14716422132 0013001 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
use Symfony\Component\Config\Definition\Exception\InvalidTypeException;
/**
* This node represents a Boolean value in the config tree.
*
* @author Johannes M. Schmitt
*/
class BooleanNode extends ScalarNode
{
/**
* {@inheritdoc}
*/
protected function validateType($value)
{
if (!is_bool($value)) {
$ex = new InvalidTypeException(sprintf(
'Invalid type for path "%s". Expected boolean, but got %s.',
$this->getPath(),
gettype($value)
));
if ($hint = $this->getInfo()) {
$ex->addHint($hint);
}
$ex->setPath($this->getPath());
throw $ex;
}
}
/**
* {@inheritdoc}
*/
protected function isValueEmpty($value)
{
// a boolean value cannot be empty
return false;
}
}
config/Definition/error_log; 0000644 00000426365 14716422132 0012133 0 ustar 00 [12-Sep-2023 06:51:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[12-Sep-2023 12:31:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[14-Sep-2023 15:38:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[16-Sep-2023 08:31:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[18-Sep-2023 00:47:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[19-Sep-2023 18:32:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[22-Sep-2023 22:26:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[29-Sep-2023 12:48:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[29-Sep-2023 12:48:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[29-Sep-2023 12:48:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[29-Sep-2023 12:48:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[29-Sep-2023 12:48:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[29-Sep-2023 12:48:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[29-Sep-2023 12:48:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[29-Sep-2023 12:48:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[29-Sep-2023 12:48:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[29-Sep-2023 12:48:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[29-Sep-2023 12:48:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[29-Sep-2023 15:53:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[29-Sep-2023 15:53:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[29-Sep-2023 15:53:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[29-Sep-2023 15:53:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[29-Sep-2023 15:53:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[29-Sep-2023 15:53:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[29-Sep-2023 15:53:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[29-Sep-2023 15:53:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[29-Sep-2023 15:53:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[29-Sep-2023 15:53:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[29-Sep-2023 15:53:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[30-Sep-2023 17:56:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[30-Sep-2023 17:56:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[30-Sep-2023 17:56:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[30-Sep-2023 17:56:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[30-Sep-2023 17:56:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[30-Sep-2023 17:56:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[30-Sep-2023 17:56:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[30-Sep-2023 17:56:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[30-Sep-2023 17:56:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[30-Sep-2023 17:56:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[30-Sep-2023 17:56:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[30-Sep-2023 19:24:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[30-Sep-2023 19:24:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[30-Sep-2023 19:24:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[30-Sep-2023 19:24:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[30-Sep-2023 19:24:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[30-Sep-2023 19:24:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[30-Sep-2023 19:24:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[30-Sep-2023 19:24:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[30-Sep-2023 19:24:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[30-Sep-2023 19:24:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[30-Sep-2023 19:24:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[04-Oct-2023 05:48:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[19-Nov-2023 23:54:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[20-Nov-2023 02:46:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[21-Nov-2023 09:24:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[21-Nov-2023 18:18:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[21-Nov-2023 18:18:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[21-Nov-2023 18:18:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[21-Nov-2023 18:18:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[21-Nov-2023 18:18:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[21-Nov-2023 18:18:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[21-Nov-2023 18:18:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[21-Nov-2023 18:18:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[21-Nov-2023 18:18:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[21-Nov-2023 18:18:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[21-Nov-2023 18:18:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[22-Nov-2023 00:09:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[22-Nov-2023 01:18:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[22-Nov-2023 01:18:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[22-Nov-2023 01:18:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[22-Nov-2023 01:18:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[22-Nov-2023 01:18:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[22-Nov-2023 01:18:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[22-Nov-2023 01:18:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[22-Nov-2023 01:19:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[22-Nov-2023 01:19:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[22-Nov-2023 01:19:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[22-Nov-2023 01:19:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[22-Nov-2023 05:53:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[22-Nov-2023 05:53:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[22-Nov-2023 05:53:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[22-Nov-2023 05:53:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[22-Nov-2023 05:53:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[22-Nov-2023 05:53:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[22-Nov-2023 05:53:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[22-Nov-2023 05:53:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[22-Nov-2023 05:53:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[22-Nov-2023 05:53:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[22-Nov-2023 05:53:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[22-Nov-2023 20:07:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[23-Nov-2023 09:29:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[23-Nov-2023 09:29:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[23-Nov-2023 09:29:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[23-Nov-2023 09:29:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[23-Nov-2023 09:29:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[23-Nov-2023 09:29:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[23-Nov-2023 09:29:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[23-Nov-2023 09:30:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[23-Nov-2023 09:30:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[23-Nov-2023 09:30:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[23-Nov-2023 09:30:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[24-Nov-2023 15:31:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[26-Nov-2023 15:57:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[28-Nov-2023 17:46:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[07-Dec-2023 22:01:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[31-Dec-2023 09:59:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[01-Jan-2024 10:37:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[04-Jan-2024 05:43:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[04-Jan-2024 09:08:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[04-Jan-2024 12:22:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[04-Jan-2024 20:50:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[06-Jan-2024 17:55:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[07-Jan-2024 02:42:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[16-Jan-2024 04:23:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[19-Jan-2024 11:14:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[23-Jan-2024 07:48:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[09-Feb-2024 07:53:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[12-Feb-2024 19:01:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[12-Feb-2024 19:49:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[12-Feb-2024 20:05:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[12-Feb-2024 20:29:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[12-Feb-2024 21:05:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[12-Feb-2024 21:33:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[12-Feb-2024 22:21:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[12-Feb-2024 23:30:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[12-Feb-2024 23:41:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[12-Feb-2024 23:45:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[13-Feb-2024 00:33:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[15-Feb-2024 08:54:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[16-Feb-2024 10:38:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[16-Feb-2024 16:46:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[16-Feb-2024 17:22:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[16-Feb-2024 17:30:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[16-Feb-2024 17:42:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[16-Feb-2024 18:06:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[16-Feb-2024 18:14:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[16-Feb-2024 18:18:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[17-Feb-2024 01:12:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[17-Feb-2024 11:31:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[17-Feb-2024 11:39:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[17-Feb-2024 11:44:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[17-Feb-2024 13:41:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[18-Feb-2024 03:11:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[18-Feb-2024 03:24:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[18-Feb-2024 07:02:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[19-Feb-2024 05:04:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[19-Feb-2024 08:30:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[19-Feb-2024 10:57:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[19-Feb-2024 14:37:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[20-Feb-2024 07:25:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[21-Feb-2024 08:24:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[22-Feb-2024 05:09:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[23-Feb-2024 16:00:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[24-Feb-2024 06:55:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[25-Feb-2024 13:51:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[27-Feb-2024 13:11:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[27-Feb-2024 13:15:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[27-Feb-2024 13:22:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[27-Feb-2024 13:23:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[27-Feb-2024 13:27:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[27-Feb-2024 13:33:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[27-Feb-2024 13:37:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[27-Feb-2024 13:37:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[27-Feb-2024 13:41:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[28-Feb-2024 09:08:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[28-Feb-2024 09:12:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[17-Mar-2024 22:56:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[21-Mar-2024 09:18:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[31-Mar-2024 05:07:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[11-Apr-2024 05:47:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[11-Apr-2024 05:59:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[11-Apr-2024 06:20:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[11-Apr-2024 06:25:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[11-Apr-2024 06:45:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[11-Apr-2024 06:45:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[11-Apr-2024 06:45:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[11-Apr-2024 06:47:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[11-Apr-2024 07:21:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[11-Apr-2024 10:25:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[21-Apr-2024 03:42:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[22-Apr-2024 00:59:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[22-Apr-2024 04:25:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[22-Apr-2024 10:15:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[22-Apr-2024 12:00:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[22-Apr-2024 17:57:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[23-Apr-2024 00:14:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[23-Apr-2024 05:12:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[23-Apr-2024 18:23:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[23-Apr-2024 19:09:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[23-Apr-2024 23:45:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[24-Apr-2024 02:41:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[24-Apr-2024 06:51:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[24-Apr-2024 09:43:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[24-Apr-2024 10:28:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[25-Apr-2024 14:33:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[25-Apr-2024 20:27:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[25-Apr-2024 20:30:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[27-Apr-2024 20:00:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[04-May-2024 21:38:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[04-May-2024 21:38:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[04-May-2024 21:38:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[04-May-2024 21:38:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[04-May-2024 21:38:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[04-May-2024 21:39:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[04-May-2024 21:40:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[04-May-2024 21:42:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[04-May-2024 21:44:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[04-May-2024 21:44:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[04-May-2024 21:44:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[04-May-2024 21:44:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[04-May-2024 21:46:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[04-May-2024 21:47:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[04-May-2024 21:49:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[04-May-2024 21:51:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[04-May-2024 21:53:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[04-May-2024 21:54:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[04-May-2024 21:58:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[04-May-2024 22:04:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[05-May-2024 01:37:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[05-May-2024 04:47:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[05-May-2024 07:32:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[05-May-2024 07:32:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[05-May-2024 07:33:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[05-May-2024 07:33:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[05-May-2024 07:33:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[05-May-2024 07:33:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[05-May-2024 07:34:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[05-May-2024 07:38:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[05-May-2024 07:38:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[05-May-2024 07:38:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[05-May-2024 07:46:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[05-May-2024 17:42:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[05-May-2024 17:42:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[05-May-2024 17:42:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[05-May-2024 17:42:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[05-May-2024 17:42:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[05-May-2024 17:43:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[05-May-2024 17:44:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[05-May-2024 17:48:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[05-May-2024 17:48:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[05-May-2024 17:48:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[05-May-2024 17:57:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[09-May-2024 06:22:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[11-May-2024 04:41:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[14-May-2024 05:20:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[14-May-2024 11:50:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[14-May-2024 11:50:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[14-May-2024 11:50:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[14-May-2024 11:50:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[14-May-2024 11:51:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[14-May-2024 11:51:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[14-May-2024 11:52:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[14-May-2024 11:56:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[14-May-2024 11:56:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[14-May-2024 11:56:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[14-May-2024 12:05:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[14-May-2024 17:54:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[20-May-2024 00:41:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[20-May-2024 01:06:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[20-May-2024 01:56:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[20-May-2024 02:04:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[20-May-2024 02:38:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[20-May-2024 03:30:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[20-May-2024 03:55:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[20-May-2024 04:01:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[20-May-2024 04:21:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[25-May-2024 22:28:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[25-May-2024 22:46:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[25-May-2024 23:07:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[25-May-2024 23:16:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[25-May-2024 23:32:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[25-May-2024 23:50:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[25-May-2024 23:52:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[25-May-2024 23:57:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[26-May-2024 00:29:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[27-May-2024 08:38:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[28-May-2024 08:58:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[28-May-2024 13:14:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[28-May-2024 17:27:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[29-May-2024 06:31:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[29-May-2024 08:11:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[29-May-2024 08:59:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[29-May-2024 13:36:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[29-May-2024 16:30:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[29-May-2024 17:07:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[30-May-2024 02:59:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[30-May-2024 04:13:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[30-May-2024 08:43:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[30-May-2024 08:47:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[30-May-2024 13:10:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[31-May-2024 06:19:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[31-May-2024 18:57:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[02-Jun-2024 20:20:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[02-Jun-2024 20:20:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[02-Jun-2024 22:18:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[03-Jun-2024 09:21:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[03-Jun-2024 21:52:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[03-Jun-2024 23:14:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[09-Jun-2024 05:56:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[14-Jun-2024 15:58:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[14-Jun-2024 15:58:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[14-Jun-2024 15:58:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[14-Jun-2024 15:59:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[14-Jun-2024 15:59:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[14-Jun-2024 15:59:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[14-Jun-2024 15:59:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[14-Jun-2024 15:59:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[14-Jun-2024 16:00:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[14-Jun-2024 16:00:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[14-Jun-2024 16:00:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[15-Jun-2024 02:15:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[15-Jun-2024 02:23:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[15-Jun-2024 02:32:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[15-Jun-2024 02:33:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[15-Jun-2024 02:42:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[15-Jun-2024 02:49:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[15-Jun-2024 02:53:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[15-Jun-2024 02:55:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[15-Jun-2024 03:00:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[15-Jun-2024 10:21:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[15-Jun-2024 20:11:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[15-Jun-2024 21:45:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[18-Jun-2024 02:41:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[18-Jun-2024 19:23:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[18-Jun-2024 19:23:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[18-Jun-2024 19:23:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[18-Jun-2024 19:23:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[18-Jun-2024 19:23:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[18-Jun-2024 19:24:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[18-Jun-2024 19:24:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[18-Jun-2024 19:28:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[18-Jun-2024 19:28:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[18-Jun-2024 19:28:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[18-Jun-2024 19:31:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[19-Jun-2024 04:24:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[19-Jun-2024 04:24:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[19-Jun-2024 04:24:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[19-Jun-2024 04:24:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[19-Jun-2024 04:24:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[19-Jun-2024 04:24:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[19-Jun-2024 04:25:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[19-Jun-2024 04:29:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[19-Jun-2024 04:29:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[19-Jun-2024 04:29:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[19-Jun-2024 04:32:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[19-Jun-2024 15:47:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[19-Jun-2024 15:47:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[19-Jun-2024 15:47:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[19-Jun-2024 15:47:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[19-Jun-2024 15:47:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[19-Jun-2024 15:47:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[19-Jun-2024 15:48:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[19-Jun-2024 15:52:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[19-Jun-2024 15:52:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[19-Jun-2024 15:52:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[19-Jun-2024 15:55:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[26-Jun-2024 17:51:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[27-Jun-2024 01:31:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[27-Jun-2024 01:31:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[27-Jun-2024 02:12:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[28-Jun-2024 10:59:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[02-Jul-2024 15:46:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[02-Jul-2024 15:48:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[02-Jul-2024 18:02:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[02-Jul-2024 19:25:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[03-Jul-2024 01:10:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[03-Jul-2024 06:45:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[03-Jul-2024 07:53:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[03-Jul-2024 11:28:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[03-Jul-2024 15:00:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[03-Jul-2024 19:03:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[03-Jul-2024 21:17:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[03-Jul-2024 21:59:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[04-Jul-2024 01:13:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[04-Jul-2024 01:48:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[07-Jul-2024 06:43:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[07-Jul-2024 10:06:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[07-Jul-2024 18:33:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[08-Jul-2024 02:30:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[09-Jul-2024 03:42:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[12-Jul-2024 21:25:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[17-Jul-2024 17:53:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[18-Jul-2024 03:06:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[22-Jul-2024 14:41:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[22-Jul-2024 16:11:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[22-Jul-2024 16:11:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[22-Jul-2024 16:11:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[22-Jul-2024 16:11:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[22-Jul-2024 16:11:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[22-Jul-2024 16:12:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[22-Jul-2024 16:12:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[22-Jul-2024 16:16:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[22-Jul-2024 16:17:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[22-Jul-2024 16:17:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[22-Jul-2024 16:26:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[23-Jul-2024 17:37:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[29-Jul-2024 06:48:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[01-Aug-2024 20:20:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[01-Aug-2024 20:51:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[08-Aug-2024 10:41:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[08-Aug-2024 14:29:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[08-Aug-2024 15:28:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[08-Aug-2024 19:55:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[08-Aug-2024 20:20:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[08-Aug-2024 21:39:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[08-Aug-2024 21:46:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[08-Aug-2024 22:05:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[08-Aug-2024 23:42:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[09-Aug-2024 05:44:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[09-Aug-2024 06:10:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[09-Aug-2024 06:35:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[09-Aug-2024 06:58:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[09-Aug-2024 10:21:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[09-Aug-2024 19:20:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[09-Aug-2024 19:22:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[09-Aug-2024 19:33:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[09-Aug-2024 21:08:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[10-Aug-2024 01:05:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[10-Aug-2024 11:39:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[12-Aug-2024 06:37:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[12-Aug-2024 19:01:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[14-Aug-2024 00:04:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[14-Aug-2024 01:07:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[14-Aug-2024 03:14:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[14-Aug-2024 04:04:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[14-Aug-2024 06:29:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[14-Aug-2024 07:52:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[14-Aug-2024 11:03:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[14-Aug-2024 11:58:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[15-Aug-2024 02:49:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[15-Aug-2024 12:08:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[15-Aug-2024 14:32:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[15-Aug-2024 15:45:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[16-Aug-2024 03:59:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[16-Aug-2024 04:47:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[17-Aug-2024 00:38:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[17-Aug-2024 06:07:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[17-Aug-2024 19:23:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[18-Aug-2024 07:36:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[18-Aug-2024 07:48:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[18-Aug-2024 09:06:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[19-Aug-2024 05:14:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[19-Aug-2024 05:28:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[20-Aug-2024 05:16:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[20-Aug-2024 06:22:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[21-Aug-2024 03:37:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[22-Aug-2024 03:33:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[22-Aug-2024 16:18:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[23-Aug-2024 16:21:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[23-Aug-2024 18:18:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[23-Aug-2024 20:01:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[23-Aug-2024 23:14:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[24-Aug-2024 03:42:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[24-Aug-2024 08:50:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[25-Aug-2024 07:33:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[26-Aug-2024 06:05:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[26-Aug-2024 07:22:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[26-Aug-2024 17:34:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[27-Aug-2024 19:25:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[29-Aug-2024 06:05:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[29-Aug-2024 20:36:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[29-Aug-2024 20:37:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[29-Aug-2024 22:33:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[30-Aug-2024 03:49:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[30-Aug-2024 04:28:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[30-Aug-2024 10:23:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[30-Aug-2024 12:35:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[30-Aug-2024 12:35:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[30-Aug-2024 12:35:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[30-Aug-2024 12:35:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[30-Aug-2024 12:35:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[30-Aug-2024 12:35:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[30-Aug-2024 12:36:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[30-Aug-2024 12:40:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[30-Aug-2024 12:40:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[30-Aug-2024 12:41:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[30-Aug-2024 13:00:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[30-Aug-2024 13:00:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[30-Aug-2024 13:00:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[30-Aug-2024 13:00:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[30-Aug-2024 13:00:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[30-Aug-2024 13:01:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[30-Aug-2024 13:01:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[30-Aug-2024 13:06:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[30-Aug-2024 13:06:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[30-Aug-2024 13:06:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[30-Aug-2024 13:26:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[30-Aug-2024 13:27:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[31-Aug-2024 08:08:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[31-Aug-2024 10:36:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[01-Sep-2024 12:45:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[01-Sep-2024 19:49:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[01-Sep-2024 19:49:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[01-Sep-2024 19:49:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[01-Sep-2024 19:49:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[01-Sep-2024 19:49:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[01-Sep-2024 19:50:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[01-Sep-2024 19:50:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[01-Sep-2024 19:55:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[01-Sep-2024 19:55:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[01-Sep-2024 19:55:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[01-Sep-2024 20:02:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[02-Sep-2024 00:12:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[02-Sep-2024 18:55:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[03-Sep-2024 20:45:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[04-Sep-2024 00:47:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[04-Sep-2024 20:33:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[04-Sep-2024 21:05:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[05-Sep-2024 03:26:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[05-Sep-2024 06:06:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[05-Sep-2024 06:45:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[05-Sep-2024 11:53:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[06-Sep-2024 09:19:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[06-Sep-2024 10:45:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[09-Sep-2024 15:59:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[09-Sep-2024 21:12:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[10-Sep-2024 19:43:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[10-Sep-2024 20:12:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[11-Sep-2024 05:41:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[13-Sep-2024 17:13:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[13-Sep-2024 17:23:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[14-Sep-2024 12:18:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[14-Sep-2024 16:51:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[14-Sep-2024 18:01:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[14-Sep-2024 20:24:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[15-Sep-2024 01:24:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[15-Sep-2024 03:08:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[15-Sep-2024 05:17:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[15-Sep-2024 08:52:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[15-Sep-2024 09:04:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[15-Sep-2024 09:07:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[15-Sep-2024 11:25:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[15-Sep-2024 15:51:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[15-Sep-2024 19:22:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[15-Sep-2024 19:39:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[15-Sep-2024 21:29:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[15-Sep-2024 22:47:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[15-Sep-2024 23:54:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[16-Sep-2024 03:35:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[17-Sep-2024 05:35:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[17-Sep-2024 13:23:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[18-Sep-2024 05:15:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[18-Sep-2024 08:06:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[20-Sep-2024 10:38:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[20-Sep-2024 16:50:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[21-Sep-2024 00:49:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[21-Sep-2024 08:32:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[22-Sep-2024 10:39:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[23-Sep-2024 20:12:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[25-Sep-2024 05:11:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[25-Sep-2024 22:44:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[26-Sep-2024 00:47:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[26-Sep-2024 15:30:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[01-Oct-2024 12:25:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[05-Oct-2024 09:41:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[06-Oct-2024 13:13:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[07-Oct-2024 05:27:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[07-Oct-2024 12:14:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[08-Oct-2024 08:15:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[13-Oct-2024 01:33:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[16-Oct-2024 15:16:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[17-Oct-2024 08:37:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[17-Oct-2024 11:42:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[17-Oct-2024 13:59:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[17-Oct-2024 14:34:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[17-Oct-2024 15:48:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[17-Oct-2024 16:16:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[17-Oct-2024 20:36:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[17-Oct-2024 22:34:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[18-Oct-2024 00:02:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[18-Oct-2024 00:25:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[18-Oct-2024 01:16:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[18-Oct-2024 02:43:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[18-Oct-2024 04:16:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[18-Oct-2024 11:51:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[18-Oct-2024 12:22:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[18-Oct-2024 12:22:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[18-Oct-2024 12:22:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[18-Oct-2024 12:26:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[18-Oct-2024 12:29:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[18-Oct-2024 12:30:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[18-Oct-2024 12:31:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[18-Oct-2024 12:32:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[18-Oct-2024 12:33:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[18-Oct-2024 13:01:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[18-Oct-2024 18:37:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[18-Oct-2024 22:38:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[22-Oct-2024 00:13:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[23-Oct-2024 11:08:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[23-Oct-2024 15:32:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[25-Oct-2024 06:19:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[28-Oct-2024 08:00:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[28-Oct-2024 15:54:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[29-Oct-2024 00:50:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[29-Oct-2024 00:50:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[29-Oct-2024 00:50:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[29-Oct-2024 00:50:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[29-Oct-2024 00:50:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[29-Oct-2024 00:51:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[29-Oct-2024 00:51:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[29-Oct-2024 00:56:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[29-Oct-2024 00:56:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[29-Oct-2024 00:56:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[29-Oct-2024 01:13:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[30-Oct-2024 01:05:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[31-Oct-2024 22:34:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[31-Oct-2024 23:00:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[01-Nov-2024 10:52:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[02-Nov-2024 05:04:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[06-Nov-2024 11:33:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[06-Nov-2024 11:33:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[06-Nov-2024 11:33:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[06-Nov-2024 11:34:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[06-Nov-2024 11:34:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[06-Nov-2024 11:34:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[06-Nov-2024 11:35:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[06-Nov-2024 11:39:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[06-Nov-2024 11:39:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[06-Nov-2024 11:39:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[06-Nov-2024 11:55:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[06-Nov-2024 23:04:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[09-Nov-2024 02:04:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/NumericNode.php on line 21
[09-Nov-2024 02:04:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/IntegerNode.php on line 21
[09-Nov-2024 02:04:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/EnumNode.php on line 21
[09-Nov-2024 02:04:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ScalarNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BooleanNode.php on line 21
[09-Nov-2024 02:04:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/BaseNode.php on line 24
[09-Nov-2024 02:04:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
[09-Nov-2024 02:04:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/VariableNode.php on line 24
[09-Nov-2024 02:04:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\NumericNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/FloatNode.php on line 21
[09-Nov-2024 02:04:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[09-Nov-2024 02:04:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\ArrayNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypedArrayNode.php on line 24
[09-Nov-2024 02:04:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\NodeInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/PrototypeNodeInterface.php on line 19
[11-Nov-2024 00:37:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\BaseNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ArrayNode.php on line 23
[11-Nov-2024 02:39:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\VariableNode' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/ScalarNode.php on line 28
config/Definition/BaseNode.php 0000644 00000020740 14716422132 0012277 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
use Symfony\Component\Config\Definition\Exception\Exception;
use Symfony\Component\Config\Definition\Exception\ForbiddenOverwriteException;
use Symfony\Component\Config\Definition\Exception\InvalidConfigurationException;
use Symfony\Component\Config\Definition\Exception\InvalidTypeException;
/**
* The base node class.
*
* @author Johannes M. Schmitt
*/
abstract class BaseNode implements NodeInterface
{
protected $name;
protected $parent;
protected $normalizationClosures = array();
protected $finalValidationClosures = array();
protected $allowOverwrite = true;
protected $required = false;
protected $equivalentValues = array();
protected $attributes = array();
/**
* Constructor.
*
* @param string $name The name of the node
* @param NodeInterface $parent The parent of this node
*
* @throws \InvalidArgumentException if the name contains a period.
*/
public function __construct($name, NodeInterface $parent = null)
{
if (false !== strpos($name, '.')) {
throw new \InvalidArgumentException('The name must not contain ".".');
}
$this->name = $name;
$this->parent = $parent;
}
public function setAttribute($key, $value)
{
$this->attributes[$key] = $value;
}
public function getAttribute($key, $default = null)
{
return isset($this->attributes[$key]) ? $this->attributes[$key] : $default;
}
public function hasAttribute($key)
{
return isset($this->attributes[$key]);
}
public function getAttributes()
{
return $this->attributes;
}
public function setAttributes(array $attributes)
{
$this->attributes = $attributes;
}
public function removeAttribute($key)
{
unset($this->attributes[$key]);
}
/**
* Sets an info message.
*
* @param string $info
*/
public function setInfo($info)
{
$this->setAttribute('info', $info);
}
/**
* Returns info message.
*
* @return string The info text
*/
public function getInfo()
{
return $this->getAttribute('info');
}
/**
* Sets the example configuration for this node.
*
* @param string|array $example
*/
public function setExample($example)
{
$this->setAttribute('example', $example);
}
/**
* Retrieves the example configuration for this node.
*
* @return string|array The example
*/
public function getExample()
{
return $this->getAttribute('example');
}
/**
* Adds an equivalent value.
*
* @param mixed $originalValue
* @param mixed $equivalentValue
*/
public function addEquivalentValue($originalValue, $equivalentValue)
{
$this->equivalentValues[] = array($originalValue, $equivalentValue);
}
/**
* Set this node as required.
*
* @param bool $boolean Required node
*/
public function setRequired($boolean)
{
$this->required = (bool) $boolean;
}
/**
* Sets if this node can be overridden.
*
* @param bool $allow
*/
public function setAllowOverwrite($allow)
{
$this->allowOverwrite = (bool) $allow;
}
/**
* Sets the closures used for normalization.
*
* @param \Closure[] $closures An array of Closures used for normalization
*/
public function setNormalizationClosures(array $closures)
{
$this->normalizationClosures = $closures;
}
/**
* Sets the closures used for final validation.
*
* @param \Closure[] $closures An array of Closures used for final validation
*/
public function setFinalValidationClosures(array $closures)
{
$this->finalValidationClosures = $closures;
}
/**
* Checks if this node is required.
*
* @return bool
*/
public function isRequired()
{
return $this->required;
}
/**
* Returns the name of this node.
*
* @return string The Node's name
*/
public function getName()
{
return $this->name;
}
/**
* Retrieves the path of this node.
*
* @return string The Node's path
*/
public function getPath()
{
$path = $this->name;
if (null !== $this->parent) {
$path = $this->parent->getPath().'.'.$path;
}
return $path;
}
/**
* Merges two values together.
*
* @param mixed $leftSide
* @param mixed $rightSide
*
* @return mixed The merged value
*
* @throws ForbiddenOverwriteException
*/
final public function merge($leftSide, $rightSide)
{
if (!$this->allowOverwrite) {
throw new ForbiddenOverwriteException(sprintf(
'Configuration path "%s" cannot be overwritten. You have to '
.'define all options for this path, and any of its sub-paths in '
.'one configuration section.',
$this->getPath()
));
}
$this->validateType($leftSide);
$this->validateType($rightSide);
return $this->mergeValues($leftSide, $rightSide);
}
/**
* Normalizes a value, applying all normalization closures.
*
* @param mixed $value Value to normalize
*
* @return mixed The normalized value
*/
final public function normalize($value)
{
$value = $this->preNormalize($value);
// run custom normalization closures
foreach ($this->normalizationClosures as $closure) {
$value = $closure($value);
}
// replace value with their equivalent
foreach ($this->equivalentValues as $data) {
if ($data[0] === $value) {
$value = $data[1];
}
}
// validate type
$this->validateType($value);
// normalize value
return $this->normalizeValue($value);
}
/**
* Normalizes the value before any other normalization is applied.
*
* @param $value
*
* @return $value The normalized array value
*/
protected function preNormalize($value)
{
return $value;
}
/**
* Returns parent node for this node.
*
* @return NodeInterface|null
*/
public function getParent()
{
return $this->parent;
}
/**
* Finalizes a value, applying all finalization closures.
*
* @param mixed $value The value to finalize
*
* @return mixed The finalized value
*
* @throws Exception
* @throws InvalidConfigurationException
*/
final public function finalize($value)
{
$this->validateType($value);
$value = $this->finalizeValue($value);
// Perform validation on the final value if a closure has been set.
// The closure is also allowed to return another value.
foreach ($this->finalValidationClosures as $closure) {
try {
$value = $closure($value);
} catch (Exception $e) {
throw $e;
} catch (\Exception $e) {
throw new InvalidConfigurationException(sprintf('Invalid configuration for path "%s": %s', $this->getPath(), $e->getMessage()), $e->getCode(), $e);
}
}
return $value;
}
/**
* Validates the type of a Node.
*
* @param mixed $value The value to validate
*
* @throws InvalidTypeException when the value is invalid
*/
abstract protected function validateType($value);
/**
* Normalizes the value.
*
* @param mixed $value The value to normalize
*
* @return mixed The normalized value
*/
abstract protected function normalizeValue($value);
/**
* Merges two values together.
*
* @param mixed $leftSide
* @param mixed $rightSide
*
* @return mixed The merged value
*/
abstract protected function mergeValues($leftSide, $rightSide);
/**
* Finalizes a value.
*
* @param mixed $value The value to finalize
*
* @return mixed The finalized value
*/
abstract protected function finalizeValue($value);
}
config/Definition/ArrayNode.php 0000644 00000026127 14716422132 0012510 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
use Symfony\Component\Config\Definition\Exception\InvalidConfigurationException;
use Symfony\Component\Config\Definition\Exception\InvalidTypeException;
use Symfony\Component\Config\Definition\Exception\UnsetKeyException;
/**
* Represents an Array node in the config tree.
*
* @author Johannes M. Schmitt
*/
class ArrayNode extends BaseNode implements PrototypeNodeInterface
{
protected $xmlRemappings = array();
protected $children = array();
protected $allowFalse = false;
protected $allowNewKeys = true;
protected $addIfNotSet = false;
protected $performDeepMerging = true;
protected $ignoreExtraKeys = false;
protected $removeExtraKeys = true;
protected $normalizeKeys = true;
public function setNormalizeKeys($normalizeKeys)
{
$this->normalizeKeys = (bool) $normalizeKeys;
}
/**
* Normalizes keys between the different configuration formats.
*
* Namely, you mostly have foo_bar in YAML while you have foo-bar in XML.
* After running this method, all keys are normalized to foo_bar.
*
* If you have a mixed key like foo-bar_moo, it will not be altered.
* The key will also not be altered if the target key already exists.
*
* @param mixed $value
*
* @return array The value with normalized keys
*/
protected function preNormalize($value)
{
if (!$this->normalizeKeys || !is_array($value)) {
return $value;
}
$normalized = array();
foreach ($value as $k => $v) {
if (false !== strpos($k, '-') && false === strpos($k, '_') && !array_key_exists($normalizedKey = str_replace('-', '_', $k), $value)) {
$normalized[$normalizedKey] = $v;
} else {
$normalized[$k] = $v;
}
}
return $normalized;
}
/**
* Retrieves the children of this node.
*
* @return array The children
*/
public function getChildren()
{
return $this->children;
}
/**
* Sets the xml remappings that should be performed.
*
* @param array $remappings an array of the form array(array(string, string))
*/
public function setXmlRemappings(array $remappings)
{
$this->xmlRemappings = $remappings;
}
/**
* Gets the xml remappings that should be performed.
*
* @return array $remappings an array of the form array(array(string, string))
*/
public function getXmlRemappings()
{
return $this->xmlRemappings;
}
/**
* Sets whether to add default values for this array if it has not been
* defined in any of the configuration files.
*
* @param bool $boolean
*/
public function setAddIfNotSet($boolean)
{
$this->addIfNotSet = (bool) $boolean;
}
/**
* Sets whether false is allowed as value indicating that the array should be unset.
*
* @param bool $allow
*/
public function setAllowFalse($allow)
{
$this->allowFalse = (bool) $allow;
}
/**
* Sets whether new keys can be defined in subsequent configurations.
*
* @param bool $allow
*/
public function setAllowNewKeys($allow)
{
$this->allowNewKeys = (bool) $allow;
}
/**
* Sets if deep merging should occur.
*
* @param bool $boolean
*/
public function setPerformDeepMerging($boolean)
{
$this->performDeepMerging = (bool) $boolean;
}
/**
* Whether extra keys should just be ignore without an exception.
*
* @param bool $boolean To allow extra keys
* @param bool $remove To remove extra keys
*/
public function setIgnoreExtraKeys($boolean, $remove = true)
{
$this->ignoreExtraKeys = (bool) $boolean;
$this->removeExtraKeys = $this->ignoreExtraKeys && $remove;
}
/**
* Sets the node Name.
*
* @param string $name The node's name
*/
public function setName($name)
{
$this->name = $name;
}
/**
* Checks if the node has a default value.
*
* @return bool
*/
public function hasDefaultValue()
{
return $this->addIfNotSet;
}
/**
* Retrieves the default value.
*
* @return array The default value
*
* @throws \RuntimeException if the node has no default value
*/
public function getDefaultValue()
{
if (!$this->hasDefaultValue()) {
throw new \RuntimeException(sprintf('The node at path "%s" has no default value.', $this->getPath()));
}
$defaults = array();
foreach ($this->children as $name => $child) {
if ($child->hasDefaultValue()) {
$defaults[$name] = $child->getDefaultValue();
}
}
return $defaults;
}
/**
* Adds a child node.
*
* @param NodeInterface $node The child node to add
*
* @throws \InvalidArgumentException when the child node has no name
* @throws \InvalidArgumentException when the child node's name is not unique
*/
public function addChild(NodeInterface $node)
{
$name = $node->getName();
if (!strlen($name)) {
throw new \InvalidArgumentException('Child nodes must be named.');
}
if (isset($this->children[$name])) {
throw new \InvalidArgumentException(sprintf('A child node named "%s" already exists.', $name));
}
$this->children[$name] = $node;
}
/**
* Finalizes the value of this node.
*
* @param mixed $value
*
* @return mixed The finalised value
*
* @throws UnsetKeyException
* @throws InvalidConfigurationException if the node doesn't have enough children
*/
protected function finalizeValue($value)
{
if (false === $value) {
$msg = sprintf('Unsetting key for path "%s", value: %s', $this->getPath(), json_encode($value));
throw new UnsetKeyException($msg);
}
foreach ($this->children as $name => $child) {
if (!array_key_exists($name, $value)) {
if ($child->isRequired()) {
$msg = sprintf('The child node "%s" at path "%s" must be configured.', $name, $this->getPath());
$ex = new InvalidConfigurationException($msg);
$ex->setPath($this->getPath());
throw $ex;
}
if ($child->hasDefaultValue()) {
$value[$name] = $child->getDefaultValue();
}
continue;
}
try {
$value[$name] = $child->finalize($value[$name]);
} catch (UnsetKeyException $e) {
unset($value[$name]);
}
}
return $value;
}
/**
* Validates the type of the value.
*
* @param mixed $value
*
* @throws InvalidTypeException
*/
protected function validateType($value)
{
if (!is_array($value) && (!$this->allowFalse || false !== $value)) {
$ex = new InvalidTypeException(sprintf(
'Invalid type for path "%s". Expected array, but got %s',
$this->getPath(),
gettype($value)
));
if ($hint = $this->getInfo()) {
$ex->addHint($hint);
}
$ex->setPath($this->getPath());
throw $ex;
}
}
/**
* Normalizes the value.
*
* @param mixed $value The value to normalize
*
* @return mixed The normalized value
*
* @throws InvalidConfigurationException
*/
protected function normalizeValue($value)
{
if (false === $value) {
return $value;
}
$value = $this->remapXml($value);
$normalized = array();
foreach ($value as $name => $val) {
if (isset($this->children[$name])) {
$normalized[$name] = $this->children[$name]->normalize($val);
unset($value[$name]);
} elseif (!$this->removeExtraKeys) {
$normalized[$name] = $val;
}
}
// if extra fields are present, throw exception
if (count($value) && !$this->ignoreExtraKeys) {
$msg = sprintf('Unrecognized option%s "%s" under "%s"', 1 === count($value) ? '' : 's', implode(', ', array_keys($value)), $this->getPath());
$ex = new InvalidConfigurationException($msg);
$ex->setPath($this->getPath());
throw $ex;
}
return $normalized;
}
/**
* Remaps multiple singular values to a single plural value.
*
* @param array $value The source values
*
* @return array The remapped values
*/
protected function remapXml($value)
{
foreach ($this->xmlRemappings as list($singular, $plural)) {
if (!isset($value[$singular])) {
continue;
}
$value[$plural] = Processor::normalizeConfig($value, $singular, $plural);
unset($value[$singular]);
}
return $value;
}
/**
* Merges values together.
*
* @param mixed $leftSide The left side to merge
* @param mixed $rightSide The right side to merge
*
* @return mixed The merged values
*
* @throws InvalidConfigurationException
* @throws \RuntimeException
*/
protected function mergeValues($leftSide, $rightSide)
{
if (false === $rightSide) {
// if this is still false after the last config has been merged the
// finalization pass will take care of removing this key entirely
return false;
}
if (false === $leftSide || !$this->performDeepMerging) {
return $rightSide;
}
foreach ($rightSide as $k => $v) {
// no conflict
if (!array_key_exists($k, $leftSide)) {
if (!$this->allowNewKeys) {
$ex = new InvalidConfigurationException(sprintf(
'You are not allowed to define new elements for path "%s". '
.'Please define all elements for this path in one config file. '
.'If you are trying to overwrite an element, make sure you redefine it '
.'with the same name.',
$this->getPath()
));
$ex->setPath($this->getPath());
throw $ex;
}
$leftSide[$k] = $v;
continue;
}
if (!isset($this->children[$k])) {
throw new \RuntimeException('merge() expects a normalized config array.');
}
$leftSide[$k] = $this->children[$k]->merge($leftSide[$k], $v);
}
return $leftSide;
}
}
config/Definition/Dumper/XmlReferenceDumper.php 0000644 00000023721 14716422132 0015611 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Dumper;
use Symfony\Component\Config\Definition\ConfigurationInterface;
use Symfony\Component\Config\Definition\NodeInterface;
use Symfony\Component\Config\Definition\ArrayNode;
use Symfony\Component\Config\Definition\EnumNode;
use Symfony\Component\Config\Definition\PrototypedArrayNode;
/**
* Dumps a XML reference configuration for the given configuration/node instance.
*
* @author Wouter J
*/
class XmlReferenceDumper
{
private $reference;
public function dump(ConfigurationInterface $configuration, $namespace = null)
{
return $this->dumpNode($configuration->getConfigTreeBuilder()->buildTree(), $namespace);
}
public function dumpNode(NodeInterface $node, $namespace = null)
{
$this->reference = '';
$this->writeNode($node, 0, true, $namespace);
$ref = $this->reference;
$this->reference = null;
return $ref;
}
/**
* @param NodeInterface $node
* @param int $depth
* @param bool $root If the node is the root node
* @param string $namespace The namespace of the node
*/
private function writeNode(NodeInterface $node, $depth = 0, $root = false, $namespace = null)
{
$rootName = ($root ? 'config' : $node->getName());
$rootNamespace = ($namespace ?: ($root ? 'http://example.org/schema/dic/'.$node->getName() : null));
// xml remapping
if ($node->getParent()) {
$remapping = array_filter($node->getParent()->getXmlRemappings(), function ($mapping) use ($rootName) {
return $rootName === $mapping[1];
});
if (count($remapping)) {
list($singular) = current($remapping);
$rootName = $singular;
}
}
$rootName = str_replace('_', '-', $rootName);
$rootAttributes = array();
$rootAttributeComments = array();
$rootChildren = array();
$rootComments = array();
if ($node instanceof ArrayNode) {
$children = $node->getChildren();
// comments about the root node
if ($rootInfo = $node->getInfo()) {
$rootComments[] = $rootInfo;
}
if ($rootNamespace) {
$rootComments[] = 'Namespace: '.$rootNamespace;
}
// render prototyped nodes
if ($node instanceof PrototypedArrayNode) {
$prototype = $node->getPrototype();
$info = 'prototype';
if (null !== $prototype->getInfo()) {
$info .= ': '.$prototype->getInfo();
}
array_unshift($rootComments, $info);
if ($key = $node->getKeyAttribute()) {
$rootAttributes[$key] = str_replace('-', ' ', $rootName).' '.$key;
}
if ($prototype instanceof PrototypedArrayNode) {
$prototype->setName($key);
$children = array($key => $prototype);
} elseif ($prototype instanceof ArrayNode) {
$children = $prototype->getChildren();
} else {
if ($prototype->hasDefaultValue()) {
$prototypeValue = $prototype->getDefaultValue();
} else {
switch (get_class($prototype)) {
case 'Symfony\Component\Config\Definition\ScalarNode':
$prototypeValue = 'scalar value';
break;
case 'Symfony\Component\Config\Definition\FloatNode':
case 'Symfony\Component\Config\Definition\IntegerNode':
$prototypeValue = 'numeric value';
break;
case 'Symfony\Component\Config\Definition\BooleanNode':
$prototypeValue = 'true|false';
break;
case 'Symfony\Component\Config\Definition\EnumNode':
$prototypeValue = implode('|', array_map('json_encode', $prototype->getValues()));
break;
default:
$prototypeValue = 'value';
}
}
}
}
// get attributes and elements
foreach ($children as $child) {
if (!$child instanceof ArrayNode) {
// get attributes
// metadata
$name = str_replace('_', '-', $child->getName());
$value = '%%%%not_defined%%%%'; // use a string which isn't used in the normal world
// comments
$comments = array();
if ($info = $child->getInfo()) {
$comments[] = $info;
}
if ($example = $child->getExample()) {
$comments[] = 'Example: '.$example;
}
if ($child->isRequired()) {
$comments[] = 'Required';
}
if ($child instanceof EnumNode) {
$comments[] = 'One of '.implode('; ', array_map('json_encode', $child->getValues()));
}
if (count($comments)) {
$rootAttributeComments[$name] = implode(";\n", $comments);
}
// default values
if ($child->hasDefaultValue()) {
$value = $child->getDefaultValue();
}
// append attribute
$rootAttributes[$name] = $value;
} else {
// get elements
$rootChildren[] = $child;
}
}
}
// render comments
// root node comment
if (count($rootComments)) {
foreach ($rootComments as $comment) {
$this->writeLine('', $depth);
}
}
// attribute comments
if (count($rootAttributeComments)) {
foreach ($rootAttributeComments as $attrName => $comment) {
$commentDepth = $depth + 4 + strlen($attrName) + 2;
$commentLines = explode("\n", $comment);
$multiline = (count($commentLines) > 1);
$comment = implode(PHP_EOL.str_repeat(' ', $commentDepth), $commentLines);
if ($multiline) {
$this->writeLine('', $depth);
} else {
$this->writeLine('', $depth);
}
}
}
// render start tag + attributes
$rootIsVariablePrototype = isset($prototypeValue);
$rootIsEmptyTag = (0 === count($rootChildren) && !$rootIsVariablePrototype);
$rootOpenTag = '<'.$rootName;
if (1 >= ($attributesCount = count($rootAttributes))) {
if (1 === $attributesCount) {
$rootOpenTag .= sprintf(' %s="%s"', current(array_keys($rootAttributes)), $this->writeValue(current($rootAttributes)));
}
$rootOpenTag .= $rootIsEmptyTag ? ' />' : '>';
if ($rootIsVariablePrototype) {
$rootOpenTag .= $prototypeValue.''.$rootName.'>';
}
$this->writeLine($rootOpenTag, $depth);
} else {
$this->writeLine($rootOpenTag, $depth);
$i = 1;
foreach ($rootAttributes as $attrName => $attrValue) {
$attr = sprintf('%s="%s"', $attrName, $this->writeValue($attrValue));
$this->writeLine($attr, $depth + 4);
if ($attributesCount === $i++) {
$this->writeLine($rootIsEmptyTag ? '/>' : '>', $depth);
if ($rootIsVariablePrototype) {
$rootOpenTag .= $prototypeValue.''.$rootName.'>';
}
}
}
}
// render children tags
foreach ($rootChildren as $child) {
$this->writeLine('');
$this->writeNode($child, $depth + 4);
}
// render end tag
if (!$rootIsEmptyTag && !$rootIsVariablePrototype) {
$this->writeLine('');
$rootEndTag = ''.$rootName.'>';
$this->writeLine($rootEndTag, $depth);
}
}
/**
* Outputs a single config reference line.
*
* @param string $text
* @param int $indent
*/
private function writeLine($text, $indent = 0)
{
$indent = strlen($text) + $indent;
$format = '%'.$indent.'s';
$this->reference .= sprintf($format, $text).PHP_EOL;
}
/**
* Renders the string conversion of the value.
*
* @param mixed $value
*
* @return string
*/
private function writeValue($value)
{
if ('%%%%not_defined%%%%' === $value) {
return '';
}
if (is_string($value) || is_numeric($value)) {
return $value;
}
if (false === $value) {
return 'false';
}
if (true === $value) {
return 'true';
}
if (null === $value) {
return 'null';
}
if (empty($value)) {
return '';
}
if (is_array($value)) {
return implode(',', $value);
}
}
}
config/Definition/Dumper/YamlReferenceDumper.php 0000644 00000016730 14716422132 0015755 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Dumper;
use Symfony\Component\Config\Definition\ConfigurationInterface;
use Symfony\Component\Config\Definition\NodeInterface;
use Symfony\Component\Config\Definition\ArrayNode;
use Symfony\Component\Config\Definition\EnumNode;
use Symfony\Component\Config\Definition\PrototypedArrayNode;
use Symfony\Component\Config\Definition\ScalarNode;
use Symfony\Component\Yaml\Inline;
/**
* Dumps a Yaml reference configuration for the given configuration/node instance.
*
* @author Kevin Bond
*/
class YamlReferenceDumper
{
private $reference;
public function dump(ConfigurationInterface $configuration)
{
return $this->dumpNode($configuration->getConfigTreeBuilder()->buildTree());
}
public function dumpAtPath(ConfigurationInterface $configuration, $path)
{
$rootNode = $node = $configuration->getConfigTreeBuilder()->buildTree();
foreach (explode('.', $path) as $step) {
if (!$node instanceof ArrayNode) {
throw new \UnexpectedValueException(sprintf('Unable to find node at path "%s.%s"', $rootNode->getName(), $path));
}
/** @var NodeInterface[] $children */
$children = $node instanceof PrototypedArrayNode ? $this->getPrototypeChildren($node) : $node->getChildren();
foreach ($children as $child) {
if ($child->getName() === $step) {
$node = $child;
continue 2;
}
}
throw new \UnexpectedValueException(sprintf('Unable to find node at path "%s.%s"', $rootNode->getName(), $path));
}
return $this->dumpNode($node);
}
public function dumpNode(NodeInterface $node)
{
$this->reference = '';
$this->writeNode($node);
$ref = $this->reference;
$this->reference = null;
return $ref;
}
/**
* @param NodeInterface $node
* @param int $depth
* @param bool $prototypedArray
*/
private function writeNode(NodeInterface $node, $depth = 0, $prototypedArray = false)
{
$comments = array();
$default = '';
$defaultArray = null;
$children = null;
$example = $node->getExample();
// defaults
if ($node instanceof ArrayNode) {
$children = $node->getChildren();
if ($node instanceof PrototypedArrayNode) {
$children = $this->getPrototypeChildren($node);
}
if (!$children) {
if ($node->hasDefaultValue() && count($defaultArray = $node->getDefaultValue())) {
$default = '';
} elseif (!is_array($example)) {
$default = '[]';
}
}
} elseif ($node instanceof EnumNode) {
$comments[] = 'One of '.implode('; ', array_map('json_encode', $node->getValues()));
$default = $node->hasDefaultValue() ? Inline::dump($node->getDefaultValue()) : '~';
} else {
$default = '~';
if ($node->hasDefaultValue()) {
$default = $node->getDefaultValue();
if (is_array($default)) {
if (count($defaultArray = $node->getDefaultValue())) {
$default = '';
} elseif (!is_array($example)) {
$default = '[]';
}
} else {
$default = Inline::dump($default);
}
}
}
// required?
if ($node->isRequired()) {
$comments[] = 'Required';
}
// example
if ($example && !is_array($example)) {
$comments[] = 'Example: '.$example;
}
$default = (string) $default != '' ? ' '.$default : '';
$comments = count($comments) ? '# '.implode(', ', $comments) : '';
$key = $prototypedArray ? '-' : $node->getName().':';
$text = rtrim(sprintf('%-21s%s %s', $key, $default, $comments), ' ');
if ($info = $node->getInfo()) {
$this->writeLine('');
// indenting multi-line info
$info = str_replace("\n", sprintf("\n%".($depth * 4).'s# ', ' '), $info);
$this->writeLine('# '.$info, $depth * 4);
}
$this->writeLine($text, $depth * 4);
// output defaults
if ($defaultArray) {
$this->writeLine('');
$message = count($defaultArray) > 1 ? 'Defaults' : 'Default';
$this->writeLine('# '.$message.':', $depth * 4 + 4);
$this->writeArray($defaultArray, $depth + 1);
}
if (is_array($example)) {
$this->writeLine('');
$message = count($example) > 1 ? 'Examples' : 'Example';
$this->writeLine('# '.$message.':', $depth * 4 + 4);
$this->writeArray($example, $depth + 1);
}
if ($children) {
foreach ($children as $childNode) {
$this->writeNode($childNode, $depth + 1, $node instanceof PrototypedArrayNode && !$node->getKeyAttribute());
}
}
}
/**
* Outputs a single config reference line.
*
* @param string $text
* @param int $indent
*/
private function writeLine($text, $indent = 0)
{
$indent = strlen($text) + $indent;
$format = '%'.$indent.'s';
$this->reference .= sprintf($format, $text)."\n";
}
private function writeArray(array $array, $depth)
{
$isIndexed = array_values($array) === $array;
foreach ($array as $key => $value) {
if (is_array($value)) {
$val = '';
} else {
$val = $value;
}
if ($isIndexed) {
$this->writeLine('- '.$val, $depth * 4);
} else {
$this->writeLine(sprintf('%-20s %s', $key.':', $val), $depth * 4);
}
if (is_array($value)) {
$this->writeArray($value, $depth + 1);
}
}
}
/**
* @param PrototypedArrayNode $node
*
* @return array
*/
private function getPrototypeChildren(PrototypedArrayNode $node)
{
$prototype = $node->getPrototype();
$key = $node->getKeyAttribute();
// Do not expand prototype if it isn't an array node nor uses attribute as key
if (!$key && !$prototype instanceof ArrayNode) {
return $node->getChildren();
}
if ($prototype instanceof ArrayNode) {
$keyNode = new ArrayNode($key, $node);
$children = $prototype->getChildren();
if ($prototype instanceof PrototypedArrayNode && $prototype->getKeyAttribute()) {
$children = $this->getPrototypeChildren($prototype);
}
// add children
foreach ($children as $childNode) {
$keyNode->addChild($childNode);
}
} else {
$keyNode = new ScalarNode($key, $node);
}
$info = 'Prototype';
if (null !== $prototype->getInfo()) {
$info .= ': '.$prototype->getInfo();
}
$keyNode->setInfo($info);
return array($key => $keyNode);
}
}
config/Definition/PrototypeNodeInterface.php 0000644 00000001167 14716422132 0015255 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
/**
* This interface must be implemented by nodes which can be used as prototypes.
*
* @author Johannes M. Schmitt
*/
interface PrototypeNodeInterface extends NodeInterface
{
/**
* Sets the name of the node.
*
* @param string $name The name of the node
*/
public function setName($name);
}
config/Definition/VariableNode.php 0000644 00000005636 14716422132 0013161 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
use Symfony\Component\Config\Definition\Exception\InvalidConfigurationException;
/**
* This node represents a value of variable type in the config tree.
*
* This node is intended for values of arbitrary type.
* Any PHP type is accepted as a value.
*
* @author Jeremy Mikola
*/
class VariableNode extends BaseNode implements PrototypeNodeInterface
{
protected $defaultValueSet = false;
protected $defaultValue;
protected $allowEmptyValue = true;
/**
* {@inheritdoc}
*/
public function setDefaultValue($value)
{
$this->defaultValueSet = true;
$this->defaultValue = $value;
}
/**
* {@inheritdoc}
*/
public function hasDefaultValue()
{
return $this->defaultValueSet;
}
/**
* {@inheritdoc}
*/
public function getDefaultValue()
{
$v = $this->defaultValue;
return $v instanceof \Closure ? $v() : $v;
}
/**
* Sets if this node is allowed to have an empty value.
*
* @param bool $boolean True if this entity will accept empty values
*/
public function setAllowEmptyValue($boolean)
{
$this->allowEmptyValue = (bool) $boolean;
}
/**
* {@inheritdoc}
*/
public function setName($name)
{
$this->name = $name;
}
/**
* {@inheritdoc}
*/
protected function validateType($value)
{
}
/**
* {@inheritdoc}
*/
protected function finalizeValue($value)
{
if (!$this->allowEmptyValue && $this->isValueEmpty($value)) {
$ex = new InvalidConfigurationException(sprintf(
'The path "%s" cannot contain an empty value, but got %s.',
$this->getPath(),
json_encode($value)
));
if ($hint = $this->getInfo()) {
$ex->addHint($hint);
}
$ex->setPath($this->getPath());
throw $ex;
}
return $value;
}
/**
* {@inheritdoc}
*/
protected function normalizeValue($value)
{
return $value;
}
/**
* {@inheritdoc}
*/
protected function mergeValues($leftSide, $rightSide)
{
return $rightSide;
}
/**
* Evaluates if the given value is to be treated as empty.
*
* By default, PHP's empty() function is used to test for emptiness. This
* method may be overridden by subtypes to better match their understanding
* of empty data.
*
* @param mixed $value
*
* @return bool
*/
protected function isValueEmpty($value)
{
return empty($value);
}
}
config/Definition/Processor.php 0000644 00000005447 14716422132 0012605 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
/**
* This class is the entry point for config normalization/merging/finalization.
*
* @author Johannes M. Schmitt
*/
class Processor
{
/**
* Processes an array of configurations.
*
* @param NodeInterface $configTree The node tree describing the configuration
* @param array $configs An array of configuration items to process
*
* @return array The processed configuration
*/
public function process(NodeInterface $configTree, array $configs)
{
$currentConfig = array();
foreach ($configs as $config) {
$config = $configTree->normalize($config);
$currentConfig = $configTree->merge($currentConfig, $config);
}
return $configTree->finalize($currentConfig);
}
/**
* Processes an array of configurations.
*
* @param ConfigurationInterface $configuration The configuration class
* @param array $configs An array of configuration items to process
*
* @return array The processed configuration
*/
public function processConfiguration(ConfigurationInterface $configuration, array $configs)
{
return $this->process($configuration->getConfigTreeBuilder()->buildTree(), $configs);
}
/**
* Normalizes a configuration entry.
*
* This method returns a normalize configuration array for a given key
* to remove the differences due to the original format (YAML and XML mainly).
*
* Here is an example.
*
* The configuration in XML:
*
* twig.extension.foo
* twig.extension.bar
*
* And the same configuration in YAML:
*
* extensions: ['twig.extension.foo', 'twig.extension.bar']
*
* @param array $config A config array
* @param string $key The key to normalize
* @param string $plural The plural form of the key if it is irregular
*
* @return array
*/
public static function normalizeConfig($config, $key, $plural = null)
{
if (null === $plural) {
$plural = $key.'s';
}
if (isset($config[$plural])) {
return $config[$plural];
}
if (isset($config[$key])) {
if (is_string($config[$key]) || !is_int(key($config[$key]))) {
// only one
return array($config[$key]);
}
return $config[$key];
}
return array();
}
}
config/Definition/Exception/DuplicateKeyException.php 0000644 00000001105 14716422132 0017011 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Exception;
/**
* This exception is thrown whenever the key of an array is not unique. This can
* only be the case if the configuration is coming from an XML file.
*
* @author Johannes M. Schmitt
*/
class DuplicateKeyException extends InvalidConfigurationException
{
}
config/Definition/Exception/Exception.php 0000644 00000000713 14716422132 0014511 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Exception;
/**
* Base exception for all configuration exceptions.
*
* @author Johannes M. Schmitt
*/
class Exception extends \RuntimeException
{
}
config/Definition/Exception/ForbiddenOverwriteException.php 0000644 00000001121 14716422132 0020227 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Exception;
/**
* This exception is thrown when a configuration path is overwritten from a
* subsequent configuration file, but the entry node specifically forbids this.
*
* @author Johannes M. Schmitt
*/
class ForbiddenOverwriteException extends InvalidConfigurationException
{
}
config/Definition/Exception/InvalidConfigurationException.php 0000644 00000002122 14716422132 0020544 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Exception;
/**
* A very general exception which can be thrown whenever non of the more specific
* exceptions is suitable.
*
* @author Johannes M. Schmitt
*/
class InvalidConfigurationException extends Exception
{
private $path;
private $containsHints = false;
public function setPath($path)
{
$this->path = $path;
}
public function getPath()
{
return $this->path;
}
/**
* Adds extra information that is suffixed to the original exception message.
*
* @param string $hint
*/
public function addHint($hint)
{
if (!$this->containsHints) {
$this->message .= "\nHint: ".$hint;
$this->containsHints = true;
} else {
$this->message .= ', '.$hint;
}
}
}
config/Definition/Exception/error_log; 0000644 00000211351 14716422132 0014054 0 ustar 00 [13-Sep-2023 12:45:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[17-Sep-2023 14:05:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[01-Oct-2023 15:35:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[01-Oct-2023 15:35:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[01-Oct-2023 15:35:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[01-Oct-2023 15:35:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[01-Oct-2023 15:35:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[01-Oct-2023 15:35:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[01-Oct-2023 17:58:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[01-Oct-2023 17:58:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[01-Oct-2023 17:58:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[01-Oct-2023 17:58:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[01-Oct-2023 17:58:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[01-Oct-2023 17:58:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[13-Oct-2023 16:34:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[15-Nov-2023 14:10:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[15-Nov-2023 18:04:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[16-Nov-2023 14:37:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[17-Nov-2023 19:31:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[24-Nov-2023 09:17:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[24-Nov-2023 09:17:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[24-Nov-2023 09:17:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[24-Nov-2023 09:17:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[24-Nov-2023 09:17:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[24-Nov-2023 09:17:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[25-Nov-2023 11:38:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[25-Nov-2023 11:38:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[25-Nov-2023 11:38:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[25-Nov-2023 11:38:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[25-Nov-2023 11:38:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[25-Nov-2023 11:38:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[25-Nov-2023 23:53:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[25-Nov-2023 23:53:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[25-Nov-2023 23:53:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[25-Nov-2023 23:53:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[25-Nov-2023 23:53:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[25-Nov-2023 23:53:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[26-Nov-2023 03:29:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[26-Nov-2023 03:29:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[26-Nov-2023 03:29:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[26-Nov-2023 03:29:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[26-Nov-2023 03:29:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[26-Nov-2023 03:29:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[30-Dec-2023 23:52:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[01-Jan-2024 10:01:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[06-Jan-2024 05:44:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[07-Jan-2024 07:30:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[07-Jan-2024 11:46:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[15-Jan-2024 22:52:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[22-Feb-2024 03:06:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[22-Feb-2024 03:29:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[22-Feb-2024 05:40:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[22-Feb-2024 14:53:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[23-Feb-2024 02:18:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[23-Feb-2024 21:04:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[24-Feb-2024 12:53:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[26-Feb-2024 10:26:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[09-Mar-2024 09:49:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[12-Mar-2024 15:01:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[15-Mar-2024 10:36:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[01-Apr-2024 06:14:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[28-Apr-2024 06:46:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[29-Apr-2024 09:54:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[29-Apr-2024 15:36:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[29-Apr-2024 19:42:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[29-Apr-2024 22:57:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[01-May-2024 19:42:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[01-May-2024 23:48:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[02-May-2024 01:08:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[04-May-2024 23:52:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[04-May-2024 23:52:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[04-May-2024 23:52:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[04-May-2024 23:52:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[05-May-2024 00:02:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[05-May-2024 00:07:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[05-May-2024 09:47:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[05-May-2024 09:47:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[05-May-2024 09:48:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[05-May-2024 09:48:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[05-May-2024 09:57:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[05-May-2024 10:02:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[05-May-2024 19:45:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[05-May-2024 19:45:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[05-May-2024 19:45:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[05-May-2024 19:46:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[05-May-2024 19:55:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[05-May-2024 19:58:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[09-May-2024 01:48:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[11-May-2024 21:27:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[12-May-2024 10:49:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[12-May-2024 17:04:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[12-May-2024 22:13:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[13-May-2024 01:07:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[13-May-2024 02:23:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[13-May-2024 04:18:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[13-May-2024 07:45:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[16-May-2024 16:03:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[16-May-2024 16:03:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[16-May-2024 16:03:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[16-May-2024 16:03:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[16-May-2024 16:14:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[16-May-2024 16:15:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[21-May-2024 03:40:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[21-May-2024 08:24:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[21-May-2024 11:26:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[21-May-2024 11:28:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[21-May-2024 12:16:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[23-May-2024 08:44:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[05-Jun-2024 02:04:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[05-Jun-2024 06:07:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[05-Jun-2024 15:22:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[05-Jun-2024 16:20:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[06-Jun-2024 06:22:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[07-Jun-2024 05:50:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[09-Jun-2024 23:17:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[10-Jun-2024 00:25:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[14-Jun-2024 16:05:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[14-Jun-2024 16:05:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[14-Jun-2024 16:05:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[14-Jun-2024 16:05:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[14-Jun-2024 16:06:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[14-Jun-2024 16:06:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[15-Jun-2024 13:13:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[16-Jun-2024 02:48:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[16-Jun-2024 02:52:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[16-Jun-2024 02:57:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[16-Jun-2024 03:03:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[18-Jun-2024 10:02:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[18-Jun-2024 20:10:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[18-Jun-2024 20:10:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[18-Jun-2024 20:10:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[18-Jun-2024 20:10:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[18-Jun-2024 20:16:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[18-Jun-2024 20:19:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[19-Jun-2024 05:12:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[19-Jun-2024 05:12:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[19-Jun-2024 05:12:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[19-Jun-2024 05:12:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[19-Jun-2024 05:17:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[19-Jun-2024 05:20:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[19-Jun-2024 16:34:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[19-Jun-2024 16:34:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[19-Jun-2024 16:34:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[19-Jun-2024 16:34:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[19-Jun-2024 16:40:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[19-Jun-2024 16:43:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[19-Jun-2024 17:09:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[20-Jun-2024 12:35:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[28-Jun-2024 21:34:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[09-Jul-2024 23:34:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[10-Jul-2024 01:12:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[13-Jul-2024 06:00:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[13-Jul-2024 10:26:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[13-Jul-2024 12:17:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[13-Jul-2024 22:02:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[14-Jul-2024 01:39:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[14-Jul-2024 17:12:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[22-Jul-2024 18:21:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[22-Jul-2024 18:22:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[22-Jul-2024 18:22:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[22-Jul-2024 18:22:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[22-Jul-2024 18:31:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[22-Jul-2024 18:36:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[24-Jul-2024 03:11:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[24-Jul-2024 04:42:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[24-Jul-2024 12:15:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[04-Aug-2024 17:15:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[19-Aug-2024 05:28:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[20-Aug-2024 03:33:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[20-Aug-2024 10:51:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[23-Aug-2024 20:34:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[23-Aug-2024 23:42:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[24-Aug-2024 03:12:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[24-Aug-2024 07:25:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[24-Aug-2024 10:02:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[24-Aug-2024 12:05:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[25-Aug-2024 07:32:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[27-Aug-2024 12:36:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[30-Aug-2024 05:21:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[30-Aug-2024 18:00:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[31-Aug-2024 07:47:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[31-Aug-2024 14:51:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[31-Aug-2024 17:04:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[01-Sep-2024 22:03:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[01-Sep-2024 22:03:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[01-Sep-2024 22:03:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[01-Sep-2024 22:03:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[01-Sep-2024 22:13:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[01-Sep-2024 22:18:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[04-Sep-2024 20:10:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[05-Sep-2024 04:12:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[06-Sep-2024 07:46:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[07-Sep-2024 06:41:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[09-Sep-2024 12:23:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[10-Sep-2024 22:32:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[11-Sep-2024 06:08:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[11-Sep-2024 15:09:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[11-Sep-2024 15:09:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[11-Sep-2024 15:09:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[11-Sep-2024 15:09:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[11-Sep-2024 15:15:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[11-Sep-2024 15:17:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[12-Sep-2024 04:40:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[16-Sep-2024 01:15:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[16-Sep-2024 01:15:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[16-Sep-2024 01:15:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[16-Sep-2024 01:15:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[16-Sep-2024 01:17:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[16-Sep-2024 01:20:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[21-Sep-2024 02:27:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[27-Sep-2024 10:29:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[30-Sep-2024 01:13:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[01-Oct-2024 14:35:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[01-Oct-2024 14:47:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[02-Oct-2024 14:20:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[02-Oct-2024 23:08:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[03-Oct-2024 02:16:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[03-Oct-2024 05:23:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[03-Oct-2024 06:22:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[03-Oct-2024 10:00:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[03-Oct-2024 14:14:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[03-Oct-2024 22:30:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[05-Oct-2024 12:42:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[08-Oct-2024 11:48:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[12-Oct-2024 04:11:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[12-Oct-2024 19:04:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[13-Oct-2024 05:51:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[13-Oct-2024 18:21:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[18-Oct-2024 14:19:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[18-Oct-2024 14:19:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[18-Oct-2024 14:22:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[18-Oct-2024 14:22:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[18-Oct-2024 14:22:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[18-Oct-2024 14:25:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[23-Oct-2024 14:05:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[23-Oct-2024 17:03:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[26-Oct-2024 20:27:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[29-Oct-2024 02:41:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[29-Oct-2024 02:41:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[29-Oct-2024 02:41:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[29-Oct-2024 02:41:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[29-Oct-2024 02:49:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[29-Oct-2024 02:52:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[02-Nov-2024 21:41:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[05-Nov-2024 16:31:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[05-Nov-2024 16:53:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[05-Nov-2024 17:12:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[05-Nov-2024 18:11:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[06-Nov-2024 13:31:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[06-Nov-2024 13:31:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[06-Nov-2024 13:31:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[06-Nov-2024 13:31:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[06-Nov-2024 13:39:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[06-Nov-2024 13:42:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[07-Nov-2024 00:11:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[07-Nov-2024 00:12:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[09-Nov-2024 03:32:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[09-Nov-2024 03:32:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidTypeException.php on line 19
[09-Nov-2024 03:32:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
[09-Nov-2024 03:32:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[09-Nov-2024 03:37:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[09-Nov-2024 03:38:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidConfigurationException.php on line 20
[10-Nov-2024 18:54:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/InvalidDefinitionException.php on line 19
[11-Nov-2024 00:23:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/DuplicateKeyException.php on line 20
[11-Nov-2024 11:12:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\Exception' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/UnsetKeyException.php on line 20
[11-Nov-2024 15:17:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Exception\InvalidConfigurationException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Exception/ForbiddenOverwriteException.php on line 20
config/Definition/Exception/InvalidTypeException.php 0000644 00000000755 14716422132 0016670 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Exception;
/**
* This exception is thrown if an invalid type is encountered.
*
* @author Johannes M. Schmitt
*/
class InvalidTypeException extends InvalidConfigurationException
{
}
config/Definition/Exception/InvalidDefinitionException.php 0000644 00000000732 14716422132 0020032 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Exception;
/**
* Thrown when an error is detected in a node Definition.
*
* @author Victor Berchet
*/
class InvalidDefinitionException extends Exception
{
}
config/Definition/Exception/UnsetKeyException.php 0000644 00000001034 14716422132 0016176 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Exception;
/**
* This exception is usually not encountered by the end-user, but only used
* internally to signal the parent scope to unset a key.
*
* @author Johannes M. Schmitt
*/
class UnsetKeyException extends Exception
{
}
config/Definition/Builder/ParentNodeDefinitionInterface.php 0000644 00000001140 14716422132 0020067 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
/**
* An interface that must be implemented by nodes which can have children.
*
* @author Victor Berchet
*/
interface ParentNodeDefinitionInterface
{
public function children();
public function append(NodeDefinition $node);
public function setBuilder(NodeBuilder $builder);
}
config/Definition/Builder/IntegerNodeDefinition.php 0000644 00000001404 14716422132 0016415 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\IntegerNode;
/**
* This class provides a fluent interface for defining an integer node.
*
* @author Jeanmonod David
*/
class IntegerNodeDefinition extends NumericNodeDefinition
{
/**
* Instantiates a Node.
*
* @return IntegerNode The node
*/
protected function instantiateNode()
{
return new IntegerNode($this->name, $this->parent, $this->min, $this->max);
}
}
config/Definition/Builder/ExprBuilder.php 0000644 00000013045 14716422132 0014432 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\Exception\UnsetKeyException;
/**
* This class builds an if expression.
*
* @author Johannes M. Schmitt
* @author Christophe Coevoet
*/
class ExprBuilder
{
protected $node;
public $ifPart;
public $thenPart;
/**
* Constructor.
*
* @param NodeDefinition $node The related node
*/
public function __construct(NodeDefinition $node)
{
$this->node = $node;
}
/**
* Marks the expression as being always used.
*
* @param \Closure $then
*
* @return $this
*/
public function always(\Closure $then = null)
{
$this->ifPart = function ($v) { return true; };
if (null !== $then) {
$this->thenPart = $then;
}
return $this;
}
/**
* Sets a closure to use as tests.
*
* The default one tests if the value is true.
*
* @param \Closure $closure
*
* @return $this
*/
public function ifTrue(\Closure $closure = null)
{
if (null === $closure) {
$closure = function ($v) { return true === $v; };
}
$this->ifPart = $closure;
return $this;
}
/**
* Tests if the value is a string.
*
* @return $this
*/
public function ifString()
{
$this->ifPart = function ($v) { return is_string($v); };
return $this;
}
/**
* Tests if the value is null.
*
* @return $this
*/
public function ifNull()
{
$this->ifPart = function ($v) { return null === $v; };
return $this;
}
/**
* Tests if the value is empty.
*
* @return ExprBuilder
*/
public function ifEmpty()
{
$this->ifPart = function ($v) { return empty($v); };
return $this;
}
/**
* Tests if the value is an array.
*
* @return $this
*/
public function ifArray()
{
$this->ifPart = function ($v) { return is_array($v); };
return $this;
}
/**
* Tests if the value is in an array.
*
* @param array $array
*
* @return $this
*/
public function ifInArray(array $array)
{
$this->ifPart = function ($v) use ($array) { return in_array($v, $array, true); };
return $this;
}
/**
* Tests if the value is not in an array.
*
* @param array $array
*
* @return $this
*/
public function ifNotInArray(array $array)
{
$this->ifPart = function ($v) use ($array) { return !in_array($v, $array, true); };
return $this;
}
/**
* Transforms variables of any type into an array.
*
* @return $this
*/
public function castToArray()
{
$this->ifPart = function ($v) { return !is_array($v); };
$this->thenPart = function ($v) { return array($v); };
return $this;
}
/**
* Sets the closure to run if the test pass.
*
* @param \Closure $closure
*
* @return $this
*/
public function then(\Closure $closure)
{
$this->thenPart = $closure;
return $this;
}
/**
* Sets a closure returning an empty array.
*
* @return $this
*/
public function thenEmptyArray()
{
$this->thenPart = function ($v) { return array(); };
return $this;
}
/**
* Sets a closure marking the value as invalid at validation time.
*
* if you want to add the value of the node in your message just use a %s placeholder.
*
* @param string $message
*
* @return $this
*
* @throws \InvalidArgumentException
*/
public function thenInvalid($message)
{
$this->thenPart = function ($v) use ($message) {throw new \InvalidArgumentException(sprintf($message, json_encode($v))); };
return $this;
}
/**
* Sets a closure unsetting this key of the array at validation time.
*
* @return $this
*
* @throws UnsetKeyException
*/
public function thenUnset()
{
$this->thenPart = function ($v) { throw new UnsetKeyException('Unsetting key'); };
return $this;
}
/**
* Returns the related node.
*
* @return NodeDefinition|ArrayNodeDefinition|VariableNodeDefinition
*
* @throws \RuntimeException
*/
public function end()
{
if (null === $this->ifPart) {
throw new \RuntimeException('You must specify an if part.');
}
if (null === $this->thenPart) {
throw new \RuntimeException('You must specify a then part.');
}
return $this->node;
}
/**
* Builds the expressions.
*
* @param ExprBuilder[] $expressions An array of ExprBuilder instances to build
*
* @return array
*/
public static function buildExpressions(array $expressions)
{
foreach ($expressions as $k => $expr) {
if ($expr instanceof self) {
$if = $expr->ifPart;
$then = $expr->thenPart;
$expressions[$k] = function ($v) use ($if, $then) {
return $if($v) ? $then($v) : $v;
};
}
}
return $expressions;
}
}
config/Definition/Builder/ScalarNodeDefinition.php 0000644 00000001336 14716422132 0016231 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\ScalarNode;
/**
* This class provides a fluent interface for defining a node.
*
* @author Johannes M. Schmitt
*/
class ScalarNodeDefinition extends VariableNodeDefinition
{
/**
* Instantiate a Node.
*
* @return ScalarNode The node
*/
protected function instantiateNode()
{
return new ScalarNode($this->name, $this->parent);
}
}
config/Definition/Builder/NormalizationBuilder.php 0000644 00000003027 14716422132 0016341 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
/**
* This class builds normalization conditions.
*
* @author Johannes M. Schmitt
*/
class NormalizationBuilder
{
protected $node;
public $before = array();
public $remappings = array();
/**
* Constructor.
*
* @param NodeDefinition $node The related node
*/
public function __construct(NodeDefinition $node)
{
$this->node = $node;
}
/**
* Registers a key to remap to its plural form.
*
* @param string $key The key to remap
* @param string $plural The plural of the key in case of irregular plural
*
* @return $this
*/
public function remap($key, $plural = null)
{
$this->remappings[] = array($key, null === $plural ? $key.'s' : $plural);
return $this;
}
/**
* Registers a closure to run before the normalization or an expression builder to build it if null is provided.
*
* @param \Closure $closure
*
* @return ExprBuilder|$this
*/
public function before(\Closure $closure = null)
{
if (null !== $closure) {
$this->before[] = $closure;
return $this;
}
return $this->before[] = new ExprBuilder($this->node);
}
}
config/Definition/Builder/TreeBuilder.php 0000644 00000003215 14716422132 0014411 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\NodeInterface;
/**
* This is the entry class for building a config tree.
*
* @author Johannes M. Schmitt
*/
class TreeBuilder implements NodeParentInterface
{
protected $tree;
protected $root;
protected $builder;
/**
* Creates the root node.
*
* @param string $name The name of the root node
* @param string $type The type of the root node
* @param NodeBuilder $builder A custom node builder instance
*
* @return ArrayNodeDefinition|NodeDefinition The root node (as an ArrayNodeDefinition when the type is 'array')
*
* @throws \RuntimeException When the node type is not supported
*/
public function root($name, $type = 'array', NodeBuilder $builder = null)
{
$builder = $builder ?: new NodeBuilder();
return $this->root = $builder->node($name, $type)->setParent($this);
}
/**
* Builds the tree.
*
* @return NodeInterface
*
* @throws \RuntimeException
*/
public function buildTree()
{
if (null === $this->root) {
throw new \RuntimeException('The configuration tree has no root node.');
}
if (null !== $this->tree) {
return $this->tree;
}
return $this->tree = $this->root->getNode(true);
}
}
config/Definition/Builder/VariableNodeDefinition.php 0000644 00000003200 14716422132 0016541 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\VariableNode;
/**
* This class provides a fluent interface for defining a node.
*
* @author Johannes M. Schmitt
*/
class VariableNodeDefinition extends NodeDefinition
{
/**
* Instantiate a Node.
*
* @return VariableNode The node
*/
protected function instantiateNode()
{
return new VariableNode($this->name, $this->parent);
}
/**
* {@inheritdoc}
*/
protected function createNode()
{
$node = $this->instantiateNode();
if (null !== $this->normalization) {
$node->setNormalizationClosures($this->normalization->before);
}
if (null !== $this->merge) {
$node->setAllowOverwrite($this->merge->allowOverwrite);
}
if (true === $this->default) {
$node->setDefaultValue($this->defaultValue);
}
$node->setAllowEmptyValue($this->allowEmptyValue);
$node->addEquivalentValue(null, $this->nullEquivalent);
$node->addEquivalentValue(true, $this->trueEquivalent);
$node->addEquivalentValue(false, $this->falseEquivalent);
$node->setRequired($this->required);
if (null !== $this->validation) {
$node->setFinalValidationClosures($this->validation->rules);
}
return $node;
}
}
config/Definition/Builder/NodeDefinition.php 0000644 00000016264 14716422132 0015111 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\NodeInterface;
use Symfony\Component\Config\Definition\Exception\InvalidDefinitionException;
/**
* This class provides a fluent interface for defining a node.
*
* @author Johannes M. Schmitt
*/
abstract class NodeDefinition implements NodeParentInterface
{
protected $name;
protected $normalization;
protected $validation;
protected $defaultValue;
protected $default = false;
protected $required = false;
protected $merge;
protected $allowEmptyValue = true;
protected $nullEquivalent;
protected $trueEquivalent = true;
protected $falseEquivalent = false;
/**
* @var NodeParentInterface|null
*/
protected $parent;
protected $attributes = array();
/**
* Constructor.
*
* @param string $name The name of the node
* @param NodeParentInterface|null $parent The parent
*/
public function __construct($name, NodeParentInterface $parent = null)
{
$this->parent = $parent;
$this->name = $name;
}
/**
* Sets the parent node.
*
* @param NodeParentInterface $parent The parent
*
* @return $this
*/
public function setParent(NodeParentInterface $parent)
{
$this->parent = $parent;
return $this;
}
/**
* Sets info message.
*
* @param string $info The info text
*
* @return $this
*/
public function info($info)
{
return $this->attribute('info', $info);
}
/**
* Sets example configuration.
*
* @param string|array $example
*
* @return $this
*/
public function example($example)
{
return $this->attribute('example', $example);
}
/**
* Sets an attribute on the node.
*
* @param string $key
* @param mixed $value
*
* @return $this
*/
public function attribute($key, $value)
{
$this->attributes[$key] = $value;
return $this;
}
/**
* Returns the parent node.
*
* @return NodeParentInterface|NodeBuilder|NodeDefinition|ArrayNodeDefinition|VariableNodeDefinition|null The builder of the parent node
*/
public function end()
{
return $this->parent;
}
/**
* Creates the node.
*
* @param bool $forceRootNode Whether to force this node as the root node
*
* @return NodeInterface
*/
public function getNode($forceRootNode = false)
{
if ($forceRootNode) {
$this->parent = null;
}
if (null !== $this->normalization) {
$this->normalization->before = ExprBuilder::buildExpressions($this->normalization->before);
}
if (null !== $this->validation) {
$this->validation->rules = ExprBuilder::buildExpressions($this->validation->rules);
}
$node = $this->createNode();
$node->setAttributes($this->attributes);
return $node;
}
/**
* Sets the default value.
*
* @param mixed $value The default value
*
* @return $this
*/
public function defaultValue($value)
{
$this->default = true;
$this->defaultValue = $value;
return $this;
}
/**
* Sets the node as required.
*
* @return $this
*/
public function isRequired()
{
$this->required = true;
return $this;
}
/**
* Sets the equivalent value used when the node contains null.
*
* @param mixed $value
*
* @return $this
*/
public function treatNullLike($value)
{
$this->nullEquivalent = $value;
return $this;
}
/**
* Sets the equivalent value used when the node contains true.
*
* @param mixed $value
*
* @return $this
*/
public function treatTrueLike($value)
{
$this->trueEquivalent = $value;
return $this;
}
/**
* Sets the equivalent value used when the node contains false.
*
* @param mixed $value
*
* @return $this
*/
public function treatFalseLike($value)
{
$this->falseEquivalent = $value;
return $this;
}
/**
* Sets null as the default value.
*
* @return $this
*/
public function defaultNull()
{
return $this->defaultValue(null);
}
/**
* Sets true as the default value.
*
* @return $this
*/
public function defaultTrue()
{
return $this->defaultValue(true);
}
/**
* Sets false as the default value.
*
* @return $this
*/
public function defaultFalse()
{
return $this->defaultValue(false);
}
/**
* Sets an expression to run before the normalization.
*
* @return ExprBuilder
*/
public function beforeNormalization()
{
return $this->normalization()->before();
}
/**
* Denies the node value being empty.
*
* @return $this
*/
public function cannotBeEmpty()
{
$this->allowEmptyValue = false;
return $this;
}
/**
* Sets an expression to run for the validation.
*
* The expression receives the value of the node and must return it. It can
* modify it.
* An exception should be thrown when the node is not valid.
*
* @return ExprBuilder
*/
public function validate()
{
return $this->validation()->rule();
}
/**
* Sets whether the node can be overwritten.
*
* @param bool $deny Whether the overwriting is forbidden or not
*
* @return $this
*/
public function cannotBeOverwritten($deny = true)
{
$this->merge()->denyOverwrite($deny);
return $this;
}
/**
* Gets the builder for validation rules.
*
* @return ValidationBuilder
*/
protected function validation()
{
if (null === $this->validation) {
$this->validation = new ValidationBuilder($this);
}
return $this->validation;
}
/**
* Gets the builder for merging rules.
*
* @return MergeBuilder
*/
protected function merge()
{
if (null === $this->merge) {
$this->merge = new MergeBuilder($this);
}
return $this->merge;
}
/**
* Gets the builder for normalization rules.
*
* @return NormalizationBuilder
*/
protected function normalization()
{
if (null === $this->normalization) {
$this->normalization = new NormalizationBuilder($this);
}
return $this->normalization;
}
/**
* Instantiate and configure the node according to this definition.
*
* @return NodeInterface $node The node instance
*
* @throws InvalidDefinitionException When the definition is invalid
*/
abstract protected function createNode();
}
config/Definition/Builder/ValidationBuilder.php 0000644 00000002120 14716422132 0015576 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
/**
* This class builds validation conditions.
*
* @author Christophe Coevoet
*/
class ValidationBuilder
{
protected $node;
public $rules = array();
/**
* Constructor.
*
* @param NodeDefinition $node The related node
*/
public function __construct(NodeDefinition $node)
{
$this->node = $node;
}
/**
* Registers a closure to run as normalization or an expression builder to build it if null is provided.
*
* @param \Closure $closure
*
* @return ExprBuilder|$this
*/
public function rule(\Closure $closure = null)
{
if (null !== $closure) {
$this->rules[] = $closure;
return $this;
}
return $this->rules[] = new ExprBuilder($this->node);
}
}
config/Definition/Builder/error_log; 0000644 00000402423 14716422132 0013506 0 ustar 00 [14-Sep-2023 23:06:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[15-Sep-2023 00:17:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[15-Sep-2023 06:25:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[18-Sep-2023 02:49:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[20-Sep-2023 19:51:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[21-Sep-2023 01:47:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[21-Sep-2023 05:01:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[01-Oct-2023 15:33:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[01-Oct-2023 15:33:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[01-Oct-2023 15:33:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[01-Oct-2023 15:33:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[01-Oct-2023 15:33:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[01-Oct-2023 15:33:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[01-Oct-2023 15:33:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[01-Oct-2023 15:33:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[01-Oct-2023 15:33:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[01-Oct-2023 15:33:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[01-Oct-2023 15:33:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[01-Oct-2023 17:57:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[01-Oct-2023 17:57:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[01-Oct-2023 17:57:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[01-Oct-2023 17:57:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[01-Oct-2023 17:58:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[01-Oct-2023 17:58:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[01-Oct-2023 17:58:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[01-Oct-2023 17:58:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[01-Oct-2023 17:58:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[01-Oct-2023 17:58:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[01-Oct-2023 17:58:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[15-Nov-2023 20:41:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[16-Nov-2023 13:15:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[18-Nov-2023 05:38:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[18-Nov-2023 11:26:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[19-Nov-2023 23:39:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[22-Nov-2023 01:12:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[25-Nov-2023 06:40:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[25-Nov-2023 06:40:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[25-Nov-2023 06:40:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[25-Nov-2023 06:40:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[25-Nov-2023 06:40:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[25-Nov-2023 06:41:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[25-Nov-2023 06:41:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[25-Nov-2023 06:41:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[25-Nov-2023 06:41:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[25-Nov-2023 06:41:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[25-Nov-2023 06:41:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[25-Nov-2023 08:38:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[25-Nov-2023 14:55:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[25-Nov-2023 14:55:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[25-Nov-2023 14:55:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[25-Nov-2023 14:55:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[25-Nov-2023 14:55:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[25-Nov-2023 14:55:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[25-Nov-2023 14:55:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[25-Nov-2023 14:55:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[25-Nov-2023 14:55:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[25-Nov-2023 14:55:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[25-Nov-2023 14:55:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[26-Nov-2023 12:00:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[26-Nov-2023 12:00:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[26-Nov-2023 12:00:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[26-Nov-2023 12:01:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[26-Nov-2023 12:01:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[26-Nov-2023 12:01:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[26-Nov-2023 12:01:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[26-Nov-2023 12:01:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[26-Nov-2023 12:01:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[26-Nov-2023 12:01:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[26-Nov-2023 12:01:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[26-Nov-2023 15:33:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[27-Nov-2023 01:34:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[27-Nov-2023 20:52:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[27-Nov-2023 20:52:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[27-Nov-2023 20:52:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[27-Nov-2023 20:52:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[27-Nov-2023 20:52:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[27-Nov-2023 20:52:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[27-Nov-2023 20:52:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[27-Nov-2023 20:52:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[27-Nov-2023 20:52:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[27-Nov-2023 20:52:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[27-Nov-2023 20:52:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[29-Nov-2023 17:21:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[02-Dec-2023 14:14:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[03-Dec-2023 21:39:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[31-Dec-2023 10:39:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[31-Dec-2023 19:20:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[04-Jan-2024 12:16:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[04-Jan-2024 12:46:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[04-Jan-2024 20:06:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[05-Jan-2024 13:46:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[05-Jan-2024 21:34:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[06-Jan-2024 18:04:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[06-Jan-2024 21:20:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[16-Jan-2024 06:12:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[21-Jan-2024 18:35:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[10-Feb-2024 02:02:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[21-Feb-2024 23:03:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[22-Feb-2024 04:19:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[22-Feb-2024 07:14:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[22-Feb-2024 11:15:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[22-Feb-2024 12:14:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[22-Feb-2024 12:54:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[22-Feb-2024 17:57:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[22-Feb-2024 20:10:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[23-Feb-2024 08:10:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[23-Feb-2024 18:12:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[23-Feb-2024 22:26:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[26-Feb-2024 11:14:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[26-Feb-2024 14:04:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[27-Feb-2024 16:20:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[27-Feb-2024 16:45:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[27-Feb-2024 17:10:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[27-Feb-2024 17:16:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[27-Feb-2024 17:21:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[27-Feb-2024 17:21:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[27-Feb-2024 17:22:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[27-Feb-2024 17:29:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[27-Feb-2024 17:32:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[27-Feb-2024 17:44:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[27-Feb-2024 17:47:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[02-Mar-2024 20:59:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[07-Mar-2024 10:09:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[08-Mar-2024 00:39:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[08-Mar-2024 17:57:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[09-Mar-2024 03:21:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[09-Mar-2024 21:20:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[10-Mar-2024 23:42:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[18-Mar-2024 13:36:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[23-Mar-2024 01:48:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[06-Apr-2024 00:10:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[11-Apr-2024 07:38:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[11-Apr-2024 08:52:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[22-Apr-2024 02:32:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[28-Apr-2024 08:42:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[29-Apr-2024 10:28:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[29-Apr-2024 14:03:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[29-Apr-2024 16:04:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[29-Apr-2024 17:41:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[29-Apr-2024 19:56:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[30-Apr-2024 01:52:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[30-Apr-2024 04:21:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[01-May-2024 23:07:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[01-May-2024 23:35:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[02-May-2024 00:48:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[02-May-2024 05:07:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[03-May-2024 20:57:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[04-May-2024 22:46:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[04-May-2024 23:00:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[04-May-2024 23:00:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[04-May-2024 23:33:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[04-May-2024 23:59:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[04-May-2024 23:59:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[04-May-2024 23:59:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[04-May-2024 23:59:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[04-May-2024 23:59:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[04-May-2024 23:59:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[04-May-2024 23:59:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[04-May-2024 23:59:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[05-May-2024 00:14:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[05-May-2024 01:18:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[05-May-2024 08:56:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[05-May-2024 08:56:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[05-May-2024 09:29:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[05-May-2024 09:54:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[05-May-2024 09:54:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[05-May-2024 09:54:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[05-May-2024 09:54:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[05-May-2024 09:55:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[05-May-2024 09:55:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[05-May-2024 09:55:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[05-May-2024 09:55:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[05-May-2024 10:21:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[05-May-2024 10:23:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[05-May-2024 10:25:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[05-May-2024 11:07:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[05-May-2024 11:25:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[05-May-2024 12:30:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[05-May-2024 12:34:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[05-May-2024 19:06:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[05-May-2024 19:06:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[05-May-2024 19:28:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[05-May-2024 19:52:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[05-May-2024 19:52:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[05-May-2024 19:52:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[05-May-2024 19:52:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[05-May-2024 19:52:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[05-May-2024 19:52:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[05-May-2024 19:53:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[05-May-2024 19:53:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[06-May-2024 05:42:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[09-May-2024 01:13:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[09-[09-May-2024 09:36:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[10-May-2024 09:28:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[14-May-2024 14:08:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[14-May-2024 14:08:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[14-May-2024 14:56:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[15-May-2024 03:21:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[16-May-2024 15:13:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[20-May-2024 03:19:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[23-May-2024 02:31:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[23-May-2024 02:31:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[23-May-2024 02:31:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[23-May-2024 02:32:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[23-May-2024 02:32:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[23-May-2024 02:32:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[23-May-2024 02:32:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[23-May-2024 02:32:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[31-May-2024 05:42:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[05-Jun-2024 02:32:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[05-Jun-2024 07:02:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[05-Jun-2024 10:51:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[06-Jun-2024 05:52:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[06-Jun-2024 18:27:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[07-Jun-2024 01:23:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[07-Jun-2024 14:05:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[09-Jun-2024 03:52:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[09-Jun-2024 13:18:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[09-Jun-2024 13:23:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[09-Jun-2024 20:39:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[10-Jun-2024 07:21:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[10-Jun-2024 23:51:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[11-Jun-2024 02:34:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[14-Jun-2024 16:03:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[14-Jun-2024 16:03:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[14-Jun-2024 16:04:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[14-Jun-2024 16:05:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[14-Jun-2024 16:05:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[14-Jun-2024 16:06:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[14-Jun-2024 16:06:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[14-Jun-2024 16:06:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[14-Jun-2024 16:06:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[14-Jun-2024 16:06:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[14-Jun-2024 16:06:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[14-Jun-2024 22:19:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[15-Jun-2024 06:34:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[15-Jun-2024 07:28:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[15-Jun-2024 07:30:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[15-Jun-2024 07:58:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[15-Jun-2024 08:08:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[15-Jun-2024 08:49:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[15-Jun-2024 10:06:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[15-Jun-2024 22:32:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[15-Jun-2024 22:32:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[15-Jun-2024 22:33:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[15-Jun-2024 23:15:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[15-Jun-2024 23:52:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[16-Jun-2024 09:36:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[18-Jun-2024 08:04:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[18-Jun-2024 19:56:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[18-Jun-2024 19:56:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[18-Jun-2024 20:06:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[18-Jun-2024 20:15:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[18-Jun-2024 20:15:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[18-Jun-2024 20:15:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[18-Jun-2024 20:15:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[18-Jun-2024 20:15:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[18-Jun-2024 20:15:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[18-Jun-2024 20:16:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[18-Jun-2024 20:16:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[19-Jun-2024 04:57:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[19-Jun-2024 04:57:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[19-Jun-2024 05:07:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[19-Jun-2024 05:16:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[19-Jun-2024 05:16:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[19-Jun-2024 05:16:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[19-Jun-2024 05:16:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[19-Jun-2024 05:17:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[19-Jun-2024 05:17:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[19-Jun-2024 05:17:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[19-Jun-2024 05:17:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[19-Jun-2024 16:20:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[19-Jun-2024 16:20:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[19-Jun-2024 16:30:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[19-Jun-2024 16:38:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[19-Jun-2024 16:39:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[19-Jun-2024 16:39:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[19-Jun-2024 16:39:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[19-Jun-2024 16:39:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[19-Jun-2024 16:39:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[19-Jun-2024 16:39:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[19-Jun-2024 16:39:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[20-Jun-2024 18:32:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[20-Jun-2024 19:02:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[24-Jun-2024 13:34:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[29-Jun-2024 00:21:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[08-Jul-2024 14:29:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[08-Jul-2024 21:40:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[08-Jul-2024 22:00:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[09-Jul-2024 03:09:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[13-Jul-2024 14:47:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[13-Jul-2024 18:39:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[13-Jul-2024 18:47:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[14-Jul-2024 04:37:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[14-Jul-2024 06:19:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[14-Jul-2024 09:18:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[15-Jul-2024 02:08:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[15-Jul-2024 02:24:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[15-Jul-2024 05:00:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[17-Jul-2024 19:38:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[18-Jul-2024 16:13:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[22-Jul-2024 17:35:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[22-Jul-2024 17:35:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[22-Jul-2024 18:05:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[22-Jul-2024 18:28:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[22-Jul-2024 18:28:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[22-Jul-2024 18:28:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[22-Jul-2024 18:29:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[22-Jul-2024 18:29:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[22-Jul-2024 18:29:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[22-Jul-2024 18:29:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[22-Jul-2024 18:29:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[23-Jul-2024 07:45:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[23-Jul-2024 23:04:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[24-Jul-2024 02:46:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[24-Jul-2024 06:47:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[24-Jul-2024 08:19:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[24-Jul-2024 13:39:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[03-Aug-2024 14:47:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[11-Aug-2024 22:25:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[13-Aug-2024 00:45:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[13-Aug-2024 12:44:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[13-Aug-2024 13:42:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[13-Aug-2024 14:53:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[15-Aug-2024 03:56:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[16-Aug-2024 05:50:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[17-Aug-2024 20:49:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[17-Aug-2024 22:38:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[17-Aug-2024 22:53:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[17-Aug-2024 23:12:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[18-Aug-2024 08:56:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[18-Aug-2024 11:01:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[18-Aug-2024 11:01:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[18-Aug-2024 22:50:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[19-Aug-2024 05:20:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[19-Aug-2024 07:55:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[19-Aug-2024 08:48:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[19-Aug-2024 09:09:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[19-Aug-2024 19:53:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[19-Aug-2024 23:01:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[20-Aug-2024 01:18:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[20-Aug-2024 02:34:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[20-Aug-2024 02:54:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[20-Aug-2024 05:52:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[20-Aug-2024 07:43:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[20-Aug-2024 15:33:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[21-Aug-2024 06:34:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[23-Aug-2024 20:08:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[23-Aug-2024 22:08:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[23-Aug-2024 23:09:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[23-Aug-2024 23:34:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[24-Aug-2024 01:57:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[24-Aug-2024 02:25:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[24-Aug-2024 02:52:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[24-Aug-2024 04:20:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[24-Aug-2024 09:39:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[24-Aug-2024 15:01:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[24-Aug-2024 18:08:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[24-Aug-2024 23:42:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[25-Aug-2024 07:20:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[26-Aug-2024 06:38:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[28-Aug-2024 04:40:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[29-Aug-2024 22:45:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[29-Aug-2024 23:39:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[30-Aug-2024 01:30:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[30-Aug-2024 01:48:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[30-Aug-2024 05:58:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[30-Aug-2024 06:10:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[30-Aug-2024 11:21:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[30-Aug-2024 12:19:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[30-Aug-2024 16:48:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[31-Aug-2024 01:24:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[31-Aug-2024 07:22:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[01-Sep-2024 21:11:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[01-Sep-2024 21:11:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[01-Sep-2024 21:44:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[01-Sep-2024 22:09:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[01-Sep-2024 22:09:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[01-Sep-2024 22:10:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[01-Sep-2024 22:10:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[01-Sep-2024 22:10:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[01-Sep-2024 22:10:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[01-Sep-2024 22:10:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[01-Sep-2024 22:10:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[02-Sep-2024 05:19:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[02-Sep-2024 14:06:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[03-Sep-2024 06:39:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[04-Sep-2024 05:58:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[04-Sep-2024 23:04:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[05-Sep-2024 18:55:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[06-Sep-2024 09:06:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[06-Sep-2024 09:07:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[06-Sep-2024 09:07:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[06-Sep-2024 09:07:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[06-Sep-2024 10:20:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[06-Sep-2024 10:20:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[06-Sep-2024 10:37:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[06-Sep-2024 10:37:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[06-Sep-2024 10:37:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[06-Sep-2024 10:37:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[06-Sep-2024 10:37:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[06-Sep-2024 10:37:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[06-Sep-2024 10:37:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[06-Sep-2024 10:37:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[06-Sep-2024 10:38:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[06-Sep-2024 10:38:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[06-Sep-2024 10:38:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[06-Sep-2024 10:38:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[06-Sep-2024 10:38:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[06-Sep-2024 10:38:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[06-Sep-2024 10:38:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[06-Sep-2024 10:38:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[07-Sep-2024 12:19:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[09-Sep-2024 16:51:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[09-Sep-2024 20:24:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[11-Sep-2024 16:50:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[11-Sep-2024 21:52:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[12-Sep-2024 03:03:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[12-Sep-2024 10:17:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[12-Sep-2024 12:06:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[13-Sep-2024 00:15:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[16-Sep-2024 15:32:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[16-Sep-2024 17:04:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[17-Sep-2024 14:59:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[20-Sep-2024 01:36:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[21-Sep-2024 08:08:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[21-Sep-2024 12:48:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[22-Sep-2024 10:03:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[22-Sep-2024 20:03:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[25-Sep-2024 21:12:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[25-Sep-2024 22:06:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[26-Sep-2024 09:30:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[26-Sep-2024 23:08:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[27-Sep-2024 14:13:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[29-Sep-2024 11:54:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[30-Sep-2024 03:56:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[01-Oct-2024 14:39:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[01-Oct-2024 17:22:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[02-Oct-2024 00:32:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[02-Oct-2024 01:38:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[02-Oct-2024 10:58:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[02-Oct-2024 13:55:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[02-Oct-2024 21:13:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[02-Oct-2024 22:02:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[03-Oct-2024 01:25:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[03-Oct-2024 07:53:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[03-Oct-2024 07:56:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[03-Oct-2024 13:12:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[03-Oct-2024 23:20:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[04-Oct-2024 09:24:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[04-Oct-2024 11:15:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[08-Oct-2024 02:57:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[11-Oct-2024 06:42:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[13-Oct-2024 00:05:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[15-Oct-2024 17:22:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[15-Oct-2024 21:52:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[18-Oct-2024 04:01:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[23-Oct-2024 06:03:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[23-Oct-2024 14:05:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[25-Oct-2024 05:51:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[27-Oct-2024 18:02:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[28-Oct-2024 16:47:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[28-Oct-2024 23:51:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[29-Oct-2024 02:06:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[29-Oct-2024 02:06:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[29-Oct-2024 02:25:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[29-Oct-2024 02:46:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[29-Oct-2024 02:46:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[29-Oct-2024 02:47:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[29-Oct-2024 02:47:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[29-Oct-2024 02:47:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[29-Oct-2024 02:47:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[29-Oct-2024 02:47:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[29-Oct-2024 02:47:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[29-Oct-2024 09:13:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[29-Oct-2024 15:39:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[29-Oct-2024 21:51:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[30-Oct-2024 01:24:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[30-Oct-2024 06:46:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[31-Oct-2024 23:19:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[31-Oct-2024 23:19:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[01-Nov-2024 17:42:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[05-Nov-2024 17:52:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[05-Nov-2024 23:22:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[06-Nov-2024 12:45:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[06-Nov-2024 12:56:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[06-Nov-2024 12:56:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[06-Nov-2024 13:15:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[06-Nov-2024 13:36:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[06-Nov-2024 13:37:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[06-Nov-2024 13:37:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[06-Nov-2024 13:37:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[06-Nov-2024 13:37:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[06-Nov-2024 13:37:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[06-Nov-2024 13:37:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[06-Nov-2024 13:37:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[09-Nov-2024 02:42:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[09-Nov-2024 02:42:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[09-Nov-2024 02:42:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[09-Nov-2024 02:42:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[09-Nov-2024 02:42:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\VariableNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ScalarNodeDefinition.php on line 21
[09-Nov-2024 02:42:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NumericNodeDefinition.php on line 21
[09-Nov-2024 02:43:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/IntegerNodeDefinition.php on line 21
[09-Nov-2024 02:43:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[09-Nov-2024 02:43:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
[09-Nov-2024 02:43:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[09-Nov-2024 02:43:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[10-Nov-2024 23:09:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/VariableNodeDefinition.php on line 21
[11-Nov-2024 01:11:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[11-Nov-2024 05:41:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NumericNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/FloatNodeDefinition.php on line 21
[11-Nov-2024 06:33:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\NodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/ArrayNodeDefinition.php on line 23
[11-Nov-2024 07:23:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[11-Nov-2024 10:57:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeDefinition.php on line 22
[11-Nov-2024 12:59:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/NodeBuilder.php on line 19
[11-Nov-2024 17:26:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Definition\Builder\NodeParentInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/TreeBuilder.php on line 21
[11-Nov-2024 18:52:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/BooleanNodeDefinition.php on line 22
[11-Nov-2024 20:08:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Definition\Builder\ScalarNodeDefinition' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Definition/Builder/EnumNodeDefinition.php on line 21
config/Definition/Builder/MergeBuilder.php 0000644 00000002623 14716422132 0014553 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
/**
* This class builds merge conditions.
*
* @author Johannes M. Schmitt
*/
class MergeBuilder
{
protected $node;
public $allowFalse = false;
public $allowOverwrite = true;
/**
* Constructor.
*
* @param NodeDefinition $node The related node
*/
public function __construct(NodeDefinition $node)
{
$this->node = $node;
}
/**
* Sets whether the node can be unset.
*
* @param bool $allow
*
* @return $this
*/
public function allowUnset($allow = true)
{
$this->allowFalse = $allow;
return $this;
}
/**
* Sets whether the node can be overwritten.
*
* @param bool $deny Whether the overwriting is forbidden or not
*
* @return $this
*/
public function denyOverwrite($deny = true)
{
$this->allowOverwrite = !$deny;
return $this;
}
/**
* Returns the related node.
*
* @return NodeDefinition|ArrayNodeDefinition|VariableNodeDefinition
*/
public function end()
{
return $this->node;
}
}
config/Definition/Builder/EnumNodeDefinition.php 0000644 00000002361 14716422132 0015727 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\EnumNode;
/**
* Enum Node Definition.
*
* @author Johannes M. Schmitt
*/
class EnumNodeDefinition extends ScalarNodeDefinition
{
private $values;
/**
* @param array $values
*
* @return $this
*/
public function values(array $values)
{
$values = array_unique($values);
if (empty($values)) {
throw new \InvalidArgumentException('->values() must be called with at least one value.');
}
$this->values = $values;
return $this;
}
/**
* Instantiate a Node.
*
* @return EnumNode The node
*
* @throws \RuntimeException
*/
protected function instantiateNode()
{
if (null === $this->values) {
throw new \RuntimeException('You must call ->values() on enum nodes.');
}
return new EnumNode($this->name, $this->parent, $this->values);
}
}
config/Definition/Builder/NumericNodeDefinition.php 0000644 00000003577 14716422132 0016437 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\Exception\InvalidDefinitionException;
/**
* Abstract class that contains common code of integer and float node definitions.
*
* @author David Jeanmonod
*/
abstract class NumericNodeDefinition extends ScalarNodeDefinition
{
protected $min;
protected $max;
/**
* Ensures that the value is smaller than the given reference.
*
* @param mixed $max
*
* @return $this
*
* @throws \InvalidArgumentException when the constraint is inconsistent
*/
public function max($max)
{
if (isset($this->min) && $this->min > $max) {
throw new \InvalidArgumentException(sprintf('You cannot define a max(%s) as you already have a min(%s)', $max, $this->min));
}
$this->max = $max;
return $this;
}
/**
* Ensures that the value is bigger than the given reference.
*
* @param mixed $min
*
* @return $this
*
* @throws \InvalidArgumentException when the constraint is inconsistent
*/
public function min($min)
{
if (isset($this->max) && $this->max < $min) {
throw new \InvalidArgumentException(sprintf('You cannot define a min(%s) as you already have a max(%s)', $min, $this->max));
}
$this->min = $min;
return $this;
}
/**
* {@inheritdoc}
*
* @throws InvalidDefinitionException
*/
public function cannotBeEmpty()
{
throw new InvalidDefinitionException('->cannotBeEmpty() is not applicable to NumericNodeDefinition.');
}
}
config/Definition/Builder/NodeBuilder.php 0000644 00000013517 14716422132 0014405 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
/**
* This class provides a fluent interface for building a node.
*
* @author Johannes M. Schmitt
*/
class NodeBuilder implements NodeParentInterface
{
protected $parent;
protected $nodeMapping;
/**
* Constructor.
*/
public function __construct()
{
$this->nodeMapping = array(
'variable' => __NAMESPACE__.'\\VariableNodeDefinition',
'scalar' => __NAMESPACE__.'\\ScalarNodeDefinition',
'boolean' => __NAMESPACE__.'\\BooleanNodeDefinition',
'integer' => __NAMESPACE__.'\\IntegerNodeDefinition',
'float' => __NAMESPACE__.'\\FloatNodeDefinition',
'array' => __NAMESPACE__.'\\ArrayNodeDefinition',
'enum' => __NAMESPACE__.'\\EnumNodeDefinition',
);
}
/**
* Set the parent node.
*
* @param ParentNodeDefinitionInterface $parent The parent node
*
* @return $this
*/
public function setParent(ParentNodeDefinitionInterface $parent = null)
{
$this->parent = $parent;
return $this;
}
/**
* Creates a child array node.
*
* @param string $name The name of the node
*
* @return ArrayNodeDefinition The child node
*/
public function arrayNode($name)
{
return $this->node($name, 'array');
}
/**
* Creates a child scalar node.
*
* @param string $name the name of the node
*
* @return ScalarNodeDefinition The child node
*/
public function scalarNode($name)
{
return $this->node($name, 'scalar');
}
/**
* Creates a child Boolean node.
*
* @param string $name The name of the node
*
* @return BooleanNodeDefinition The child node
*/
public function booleanNode($name)
{
return $this->node($name, 'boolean');
}
/**
* Creates a child integer node.
*
* @param string $name the name of the node
*
* @return IntegerNodeDefinition The child node
*/
public function integerNode($name)
{
return $this->node($name, 'integer');
}
/**
* Creates a child float node.
*
* @param string $name the name of the node
*
* @return FloatNodeDefinition The child node
*/
public function floatNode($name)
{
return $this->node($name, 'float');
}
/**
* Creates a child EnumNode.
*
* @param string $name
*
* @return EnumNodeDefinition
*/
public function enumNode($name)
{
return $this->node($name, 'enum');
}
/**
* Creates a child variable node.
*
* @param string $name The name of the node
*
* @return VariableNodeDefinition The builder of the child node
*/
public function variableNode($name)
{
return $this->node($name, 'variable');
}
/**
* Returns the parent node.
*
* @return ParentNodeDefinitionInterface|NodeDefinition The parent node
*/
public function end()
{
return $this->parent;
}
/**
* Creates a child node.
*
* @param string $name The name of the node
* @param string $type The type of the node
*
* @return NodeDefinition The child node
*
* @throws \RuntimeException When the node type is not registered
* @throws \RuntimeException When the node class is not found
*/
public function node($name, $type)
{
$class = $this->getNodeClass($type);
$node = new $class($name);
$this->append($node);
return $node;
}
/**
* Appends a node definition.
*
* Usage:
*
* $node = new ArrayNodeDefinition('name')
* ->children()
* ->scalarNode('foo')->end()
* ->scalarNode('baz')->end()
* ->append($this->getBarNodeDefinition())
* ->end()
* ;
*
* @param NodeDefinition $node
*
* @return $this
*/
public function append(NodeDefinition $node)
{
if ($node instanceof ParentNodeDefinitionInterface) {
$builder = clone $this;
$builder->setParent(null);
$node->setBuilder($builder);
}
if (null !== $this->parent) {
$this->parent->append($node);
// Make this builder the node parent to allow for a fluid interface
$node->setParent($this);
}
return $this;
}
/**
* Adds or overrides a node Type.
*
* @param string $type The name of the type
* @param string $class The fully qualified name the node definition class
*
* @return $this
*/
public function setNodeClass($type, $class)
{
$this->nodeMapping[strtolower($type)] = $class;
return $this;
}
/**
* Returns the class name of the node definition.
*
* @param string $type The node type
*
* @return string The node definition class name
*
* @throws \RuntimeException When the node type is not registered
* @throws \RuntimeException When the node class is not found
*/
protected function getNodeClass($type)
{
$type = strtolower($type);
if (!isset($this->nodeMapping[$type])) {
throw new \RuntimeException(sprintf('The node type "%s" is not registered.', $type));
}
$class = $this->nodeMapping[$type];
if (!class_exists($class)) {
throw new \RuntimeException(sprintf('The node class "%s" does not exist.', $class));
}
return $class;
}
}
config/Definition/Builder/NodeParentInterface.php 0000644 00000000677 14716422132 0016074 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
/**
* An interface that must be implemented by all node parents.
*
* @author Victor Berchet
*/
interface NodeParentInterface
{
}
config/Definition/Builder/BooleanNodeDefinition.php 0000644 00000002365 14716422132 0016406 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\BooleanNode;
use Symfony\Component\Config\Definition\Exception\InvalidDefinitionException;
/**
* This class provides a fluent interface for defining a node.
*
* @author Johannes M. Schmitt
*/
class BooleanNodeDefinition extends ScalarNodeDefinition
{
/**
* {@inheritdoc}
*/
public function __construct($name, NodeParentInterface $parent = null)
{
parent::__construct($name, $parent);
$this->nullEquivalent = true;
}
/**
* Instantiate a Node.
*
* @return BooleanNode The node
*/
protected function instantiateNode()
{
return new BooleanNode($this->name, $this->parent);
}
/**
* {@inheritdoc}
*
* @throws InvalidDefinitionException
*/
public function cannotBeEmpty()
{
throw new InvalidDefinitionException('->cannotBeEmpty() is not applicable to BooleanNodeDefinition.');
}
}
config/Definition/Builder/FloatNodeDefinition.php 0000644 00000001371 14716422132 0016070 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\FloatNode;
/**
* This class provides a fluent interface for defining a float node.
*
* @author Jeanmonod David
*/
class FloatNodeDefinition extends NumericNodeDefinition
{
/**
* Instantiates a Node.
*
* @return FloatNode The node
*/
protected function instantiateNode()
{
return new FloatNode($this->name, $this->parent, $this->min, $this->max);
}
}
config/Definition/Builder/ArrayNodeDefinition.php 0000644 00000036411 14716422132 0016104 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition\Builder;
use Symfony\Component\Config\Definition\ArrayNode;
use Symfony\Component\Config\Definition\PrototypedArrayNode;
use Symfony\Component\Config\Definition\Exception\InvalidDefinitionException;
/**
* This class provides a fluent interface for defining an array node.
*
* @author Johannes M. Schmitt
*/
class ArrayNodeDefinition extends NodeDefinition implements ParentNodeDefinitionInterface
{
protected $performDeepMerging = true;
protected $ignoreExtraKeys = false;
protected $removeExtraKeys = true;
protected $children = array();
protected $prototype;
protected $atLeastOne = false;
protected $allowNewKeys = true;
protected $key;
protected $removeKeyItem;
protected $addDefaults = false;
protected $addDefaultChildren = false;
protected $nodeBuilder;
protected $normalizeKeys = true;
/**
* {@inheritdoc}
*/
public function __construct($name, NodeParentInterface $parent = null)
{
parent::__construct($name, $parent);
$this->nullEquivalent = array();
$this->trueEquivalent = array();
}
/**
* Sets a custom children builder.
*
* @param NodeBuilder $builder A custom NodeBuilder
*/
public function setBuilder(NodeBuilder $builder)
{
$this->nodeBuilder = $builder;
}
/**
* Returns a builder to add children nodes.
*
* @return NodeBuilder
*/
public function children()
{
return $this->getNodeBuilder();
}
/**
* Sets a prototype for child nodes.
*
* @param string $type the type of node
*
* @return NodeDefinition
*/
public function prototype($type)
{
return $this->prototype = $this->getNodeBuilder()->node(null, $type)->setParent($this);
}
/**
* @return VariableNodeDefinition
*/
public function variablePrototype()
{
return $this->prototype('variable');
}
/**
* @return ScalarNodeDefinition
*/
public function scalarPrototype()
{
return $this->prototype('scalar');
}
/**
* @return BooleanNodeDefinition
*/
public function booleanPrototype()
{
return $this->prototype('boolean');
}
/**
* @return IntegerNodeDefinition
*/
public function integerPrototype()
{
return $this->prototype('integer');
}
/**
* @return FloatNodeDefinition
*/
public function floatPrototype()
{
return $this->prototype('float');
}
/**
* @return ArrayNodeDefinition
*/
public function arrayPrototype()
{
return $this->prototype('array');
}
/**
* @return EnumNodeDefinition
*/
public function enumPrototype()
{
return $this->prototype('enum');
}
/**
* Adds the default value if the node is not set in the configuration.
*
* This method is applicable to concrete nodes only (not to prototype nodes).
* If this function has been called and the node is not set during the finalization
* phase, it's default value will be derived from its children default values.
*
* @return $this
*/
public function addDefaultsIfNotSet()
{
$this->addDefaults = true;
return $this;
}
/**
* Adds children with a default value when none are defined.
*
* @param int|string|array|null $children The number of children|The child name|The children names to be added
*
* This method is applicable to prototype nodes only.
*
* @return $this
*/
public function addDefaultChildrenIfNoneSet($children = null)
{
$this->addDefaultChildren = $children;
return $this;
}
/**
* Requires the node to have at least one element.
*
* This method is applicable to prototype nodes only.
*
* @return $this
*/
public function requiresAtLeastOneElement()
{
$this->atLeastOne = true;
return $this;
}
/**
* Disallows adding news keys in a subsequent configuration.
*
* If used all keys have to be defined in the same configuration file.
*
* @return $this
*/
public function disallowNewKeysInSubsequentConfigs()
{
$this->allowNewKeys = false;
return $this;
}
/**
* Sets a normalization rule for XML configurations.
*
* @param string $singular The key to remap
* @param string $plural The plural of the key for irregular plurals
*
* @return $this
*/
public function fixXmlConfig($singular, $plural = null)
{
$this->normalization()->remap($singular, $plural);
return $this;
}
/**
* Sets the attribute which value is to be used as key.
*
* This is useful when you have an indexed array that should be an
* associative array. You can select an item from within the array
* to be the key of the particular item. For example, if "id" is the
* "key", then:
*
* array(
* array('id' => 'my_name', 'foo' => 'bar'),
* );
*
* becomes
*
* array(
* 'my_name' => array('foo' => 'bar'),
* );
*
* If you'd like "'id' => 'my_name'" to still be present in the resulting
* array, then you can set the second argument of this method to false.
*
* This method is applicable to prototype nodes only.
*
* @param string $name The name of the key
* @param bool $removeKeyItem Whether or not the key item should be removed
*
* @return $this
*/
public function useAttributeAsKey($name, $removeKeyItem = true)
{
$this->key = $name;
$this->removeKeyItem = $removeKeyItem;
return $this;
}
/**
* Sets whether the node can be unset.
*
* @param bool $allow
*
* @return $this
*/
public function canBeUnset($allow = true)
{
$this->merge()->allowUnset($allow);
return $this;
}
/**
* Adds an "enabled" boolean to enable the current section.
*
* By default, the section is disabled. If any configuration is specified then
* the node will be automatically enabled:
*
* enableableArrayNode: {enabled: true, ...} # The config is enabled & default values get overridden
* enableableArrayNode: ~ # The config is enabled & use the default values
* enableableArrayNode: true # The config is enabled & use the default values
* enableableArrayNode: {other: value, ...} # The config is enabled & default values get overridden
* enableableArrayNode: {enabled: false, ...} # The config is disabled
* enableableArrayNode: false # The config is disabled
*
* @return $this
*/
public function canBeEnabled()
{
$this
->addDefaultsIfNotSet()
->treatFalseLike(array('enabled' => false))
->treatTrueLike(array('enabled' => true))
->treatNullLike(array('enabled' => true))
->beforeNormalization()
->ifArray()
->then(function ($v) {
$v['enabled'] = isset($v['enabled']) ? $v['enabled'] : true;
return $v;
})
->end()
->children()
->booleanNode('enabled')
->defaultFalse()
;
return $this;
}
/**
* Adds an "enabled" boolean to enable the current section.
*
* By default, the section is enabled.
*
* @return $this
*/
public function canBeDisabled()
{
$this
->addDefaultsIfNotSet()
->treatFalseLike(array('enabled' => false))
->treatTrueLike(array('enabled' => true))
->treatNullLike(array('enabled' => true))
->children()
->booleanNode('enabled')
->defaultTrue()
;
return $this;
}
/**
* Disables the deep merging of the node.
*
* @return $this
*/
public function performNoDeepMerging()
{
$this->performDeepMerging = false;
return $this;
}
/**
* Allows extra config keys to be specified under an array without
* throwing an exception.
*
* Those config values are simply ignored and removed from the
* resulting array. This should be used only in special cases where
* you want to send an entire configuration array through a special
* tree that processes only part of the array.
*
* @param bool $remove Whether to remove the extra keys
*
* @return $this
*/
public function ignoreExtraKeys($remove = true)
{
$this->ignoreExtraKeys = true;
$this->removeExtraKeys = $remove;
return $this;
}
/**
* Sets key normalization.
*
* @param bool $bool Whether to enable key normalization
*
* @return $this
*/
public function normalizeKeys($bool)
{
$this->normalizeKeys = (bool) $bool;
return $this;
}
/**
* Appends a node definition.
*
* $node = new ArrayNodeDefinition()
* ->children()
* ->scalarNode('foo')->end()
* ->scalarNode('baz')->end()
* ->end()
* ->append($this->getBarNodeDefinition())
* ;
*
* @param NodeDefinition $node A NodeDefinition instance
*
* @return $this
*/
public function append(NodeDefinition $node)
{
$this->children[$node->name] = $node->setParent($this);
return $this;
}
/**
* Returns a node builder to be used to add children and prototype.
*
* @return NodeBuilder The node builder
*/
protected function getNodeBuilder()
{
if (null === $this->nodeBuilder) {
$this->nodeBuilder = new NodeBuilder();
}
return $this->nodeBuilder->setParent($this);
}
/**
* {@inheritdoc}
*/
protected function createNode()
{
if (null === $this->prototype) {
$node = new ArrayNode($this->name, $this->parent);
$this->validateConcreteNode($node);
$node->setAddIfNotSet($this->addDefaults);
foreach ($this->children as $child) {
$child->parent = $node;
$node->addChild($child->getNode());
}
} else {
$node = new PrototypedArrayNode($this->name, $this->parent);
$this->validatePrototypeNode($node);
if (null !== $this->key) {
$node->setKeyAttribute($this->key, $this->removeKeyItem);
}
if (true === $this->atLeastOne) {
$node->setMinNumberOfElements(1);
}
if ($this->default) {
$node->setDefaultValue($this->defaultValue);
}
if (false !== $this->addDefaultChildren) {
$node->setAddChildrenIfNoneSet($this->addDefaultChildren);
if ($this->prototype instanceof static && null === $this->prototype->prototype) {
$this->prototype->addDefaultsIfNotSet();
}
}
$this->prototype->parent = $node;
$node->setPrototype($this->prototype->getNode());
}
$node->setAllowNewKeys($this->allowNewKeys);
$node->addEquivalentValue(null, $this->nullEquivalent);
$node->addEquivalentValue(true, $this->trueEquivalent);
$node->addEquivalentValue(false, $this->falseEquivalent);
$node->setPerformDeepMerging($this->performDeepMerging);
$node->setRequired($this->required);
$node->setIgnoreExtraKeys($this->ignoreExtraKeys, $this->removeExtraKeys);
$node->setNormalizeKeys($this->normalizeKeys);
if (null !== $this->normalization) {
$node->setNormalizationClosures($this->normalization->before);
$node->setXmlRemappings($this->normalization->remappings);
}
if (null !== $this->merge) {
$node->setAllowOverwrite($this->merge->allowOverwrite);
$node->setAllowFalse($this->merge->allowFalse);
}
if (null !== $this->validation) {
$node->setFinalValidationClosures($this->validation->rules);
}
return $node;
}
/**
* Validate the configuration of a concrete node.
*
* @param ArrayNode $node The related node
*
* @throws InvalidDefinitionException
*/
protected function validateConcreteNode(ArrayNode $node)
{
$path = $node->getPath();
if (null !== $this->key) {
throw new InvalidDefinitionException(
sprintf('->useAttributeAsKey() is not applicable to concrete nodes at path "%s"', $path)
);
}
if (true === $this->atLeastOne) {
throw new InvalidDefinitionException(
sprintf('->requiresAtLeastOneElement() is not applicable to concrete nodes at path "%s"', $path)
);
}
if ($this->default) {
throw new InvalidDefinitionException(
sprintf('->defaultValue() is not applicable to concrete nodes at path "%s"', $path)
);
}
if (false !== $this->addDefaultChildren) {
throw new InvalidDefinitionException(
sprintf('->addDefaultChildrenIfNoneSet() is not applicable to concrete nodes at path "%s"', $path)
);
}
}
/**
* Validate the configuration of a prototype node.
*
* @param PrototypedArrayNode $node The related node
*
* @throws InvalidDefinitionException
*/
protected function validatePrototypeNode(PrototypedArrayNode $node)
{
$path = $node->getPath();
if ($this->addDefaults) {
throw new InvalidDefinitionException(
sprintf('->addDefaultsIfNotSet() is not applicable to prototype nodes at path "%s"', $path)
);
}
if (false !== $this->addDefaultChildren) {
if ($this->default) {
throw new InvalidDefinitionException(
sprintf('A default value and default children might not be used together at path "%s"', $path)
);
}
if (null !== $this->key && (null === $this->addDefaultChildren || is_int($this->addDefaultChildren) && $this->addDefaultChildren > 0)) {
throw new InvalidDefinitionException(
sprintf('->addDefaultChildrenIfNoneSet() should set default children names as ->useAttributeAsKey() is used at path "%s"', $path)
);
}
if (null === $this->key && (is_string($this->addDefaultChildren) || is_array($this->addDefaultChildren))) {
throw new InvalidDefinitionException(
sprintf('->addDefaultChildrenIfNoneSet() might not set default children names as ->useAttributeAsKey() is not used at path "%s"', $path)
);
}
}
}
}
config/Definition/FloatNode.php 0000644 00000002120 14716422132 0012462 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
use Symfony\Component\Config\Definition\Exception\InvalidTypeException;
/**
* This node represents a float value in the config tree.
*
* @author Jeanmonod David
*/
class FloatNode extends NumericNode
{
/**
* {@inheritdoc}
*/
protected function validateType($value)
{
// Integers are also accepted, we just cast them
if (is_int($value)) {
$value = (float) $value;
}
if (!is_float($value)) {
$ex = new InvalidTypeException(sprintf('Invalid type for path "%s". Expected float, but got %s.', $this->getPath(), gettype($value)));
if ($hint = $this->getInfo()) {
$ex->addHint($hint);
}
$ex->setPath($this->getPath());
throw $ex;
}
}
}
config/Definition/IntegerNode.php 0000644 00000001712 14716422132 0013020 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
use Symfony\Component\Config\Definition\Exception\InvalidTypeException;
/**
* This node represents an integer value in the config tree.
*
* @author Jeanmonod David
*/
class IntegerNode extends NumericNode
{
/**
* {@inheritdoc}
*/
protected function validateType($value)
{
if (!is_int($value)) {
$ex = new InvalidTypeException(sprintf('Invalid type for path "%s". Expected int, but got %s.', $this->getPath(), gettype($value)));
if ($hint = $this->getInfo()) {
$ex->addHint($hint);
}
$ex->setPath($this->getPath());
throw $ex;
}
}
}
config/Definition/ScalarNode.php 0000644 00000002451 14716422132 0012631 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Definition;
use Symfony\Component\Config\Definition\Exception\InvalidTypeException;
/**
* This node represents a scalar value in the config tree.
*
* The following values are considered scalars:
* * booleans
* * strings
* * null
* * integers
* * floats
*
* @author Johannes M. Schmitt
*/
class ScalarNode extends VariableNode
{
/**
* {@inheritdoc}
*/
protected function validateType($value)
{
if (!is_scalar($value) && null !== $value) {
$ex = new InvalidTypeException(sprintf(
'Invalid type for path "%s". Expected scalar, but got %s.',
$this->getPath(),
gettype($value)
));
if ($hint = $this->getInfo()) {
$ex->addHint($hint);
}
$ex->setPath($this->getPath());
throw $ex;
}
}
/**
* {@inheritdoc}
*/
protected function isValueEmpty($value)
{
return null === $value || '' === $value;
}
}
config/ResourceCheckerInterface.php 0000644 00000003022 14716422132 0013416 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config;
use Symfony\Component\Config\Resource\ResourceInterface;
/**
* Interface for ResourceCheckers.
*
* When a ResourceCheckerConfigCache instance is checked for freshness, all its associated
* metadata resources are passed to ResourceCheckers. The ResourceCheckers
* can then inspect the resources and decide whether the cache can be considered
* fresh or not.
*
* @author Matthias Pigulla
* @author Benjamin Klotz
*/
interface ResourceCheckerInterface
{
/**
* Queries the ResourceChecker whether it can validate a given
* resource or not.
*
* @param ResourceInterface $metadata The resource to be checked for freshness
*
* @return bool True if the ResourceChecker can handle this resource type, false if not
*/
public function supports(ResourceInterface $metadata);
/**
* Validates the resource.
*
* @param ResourceInterface $resource The resource to be validated
* @param int $timestamp The timestamp at which the cache associated with this resource was created
*
* @return bool True if the resource has not changed since the given timestamp, false otherwise
*/
public function isFresh(ResourceInterface $resource, $timestamp);
}
config/.gitignore 0000644 00000000042 14716422132 0007777 0 ustar 00 vendor/
composer.lock
phpunit.xml
config/Exception/FileLoaderLoadException.php 0000644 00000007614 14716422132 0015157 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Exception;
/**
* Exception class for when a resource cannot be loaded or imported.
*
* @author Ryan Weaver
*/
class FileLoaderLoadException extends \Exception
{
/**
* @param string $resource The resource that could not be imported
* @param string $sourceResource The original resource importing the new resource
* @param int $code The error code
* @param \Exception $previous A previous exception
* @param string $type The type of resource
*/
public function __construct($resource, $sourceResource = null, $code = null, $previous = null, $type = null)
{
$message = '';
if ($previous) {
// Include the previous exception, to help the user see what might be the underlying cause
// Trim the trailing period of the previous message. We only want 1 period remove so no rtrim...
if ('.' === substr($previous->getMessage(), -1)) {
$trimmedMessage = substr($previous->getMessage(), 0, -1);
$message .= sprintf('%s', $trimmedMessage).' in ';
} else {
$message .= sprintf('%s', $previous->getMessage()).' in ';
}
$message .= $resource.' ';
// show tweaked trace to complete the human readable sentence
if (null === $sourceResource) {
$message .= sprintf('(which is loaded in resource "%s")', $this->varToString($resource));
} else {
$message .= sprintf('(which is being imported from "%s")', $this->varToString($sourceResource));
}
$message .= '.';
// if there's no previous message, present it the default way
} elseif (null === $sourceResource) {
$message .= sprintf('Cannot load resource "%s".', $this->varToString($resource));
} else {
$message .= sprintf('Cannot import resource "%s" from "%s".', $this->varToString($resource), $this->varToString($sourceResource));
}
// Is the resource located inside a bundle?
if ('@' === $resource[0]) {
$parts = explode(DIRECTORY_SEPARATOR, $resource);
$bundle = substr($parts[0], 1);
$message .= sprintf(' Make sure the "%s" bundle is correctly registered and loaded in the application kernel class.', $bundle);
$message .= sprintf(' If the bundle is registered, make sure the bundle path "%s" is not empty.', $resource);
} elseif (null !== $type) {
// maybe there is no loader for this specific type
if ('annotation' === $type) {
$message .= ' Make sure annotations are enabled.';
} else {
$message .= sprintf(' Make sure there is a loader supporting the "%s" type.', $type);
}
}
parent::__construct($message, $code, $previous);
}
protected function varToString($var)
{
if (is_object($var)) {
return sprintf('Object(%s)', get_class($var));
}
if (is_array($var)) {
$a = array();
foreach ($var as $k => $v) {
$a[] = sprintf('%s => %s', $k, $this->varToString($v));
}
return sprintf('Array(%s)', implode(', ', $a));
}
if (is_resource($var)) {
return sprintf('Resource(%s)', get_resource_type($var));
}
if (null === $var) {
return 'null';
}
if (false === $var) {
return 'false';
}
if (true === $var) {
return 'true';
}
return (string) $var;
}
}
config/Exception/FileLoaderImportCircularReferenceException.php 0000644 00000001503 14716422132 0021045 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Exception;
/**
* Exception class for when a circular reference is detected when importing resources.
*
* @author Fabien Potencier
*/
class FileLoaderImportCircularReferenceException extends FileLoaderLoadException
{
public function __construct(array $resources, $code = null, $previous = null)
{
$message = sprintf('Circular reference detected in "%s" ("%s" > "%s").', $this->varToString($resources[0]), implode('" > "', $resources), $resources[0]);
\Exception::__construct($message, $code, $previous);
}
}
config/Exception/error_log; 0000644 00000034770 14716422132 0011774 0 ustar 00 [21-Sep-2023 12:43:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[29-Sep-2023 12:49:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[29-Sep-2023 15:53:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[30-Sep-2023 17:56:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[30-Sep-2023 19:25:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[21-Nov-2023 08:55:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[22-Nov-2023 05:57:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[22-Nov-2023 12:10:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[24-Nov-2023 06:13:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[26-Nov-2023 13:54:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[03-Jan-2024 21:53:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[09-Feb-2024 01:49:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[19-Feb-2024 08:50:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[19-Feb-2024 21:59:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[28-Feb-2024 09:13:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[08-Mar-2024 12:21:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[23-Apr-2024 12:35:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[23-Apr-2024 22:02:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[04-May-2024 22:02:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[05-May-2024 07:58:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[05-May-2024 18:09:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[06-May-2024 10:34:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[14-May-2024 12:24:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[29-May-2024 10:29:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[30-May-2024 05:46:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[14-Jun-2024 16:00:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[18-Jun-2024 19:40:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[19-Jun-2024 04:41:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[19-Jun-2024 16:04:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[02-Jul-2024 19:07:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[03-Jul-2024 13:10:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[10-Jul-2024 09:30:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[16-Jul-2024 11:16:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[22-Jul-2024 16:35:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[06-Aug-2024 16:11:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[08-Aug-2024 17:45:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[08-Aug-2024 17:57:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[15-Aug-2024 00:51:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[20-Aug-2024 23:08:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[21-Aug-2024 03:46:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[21-Aug-2024 23:07:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[30-Aug-2024 14:05:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[30-Aug-2024 14:05:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[01-Sep-2024 10:07:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[01-Sep-2024 20:12:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[15-Sep-2024 01:13:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[15-Sep-2024 02:06:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[17-Sep-2024 07:29:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[02-Oct-2024 12:07:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[07-Oct-2024 14:59:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[17-Oct-2024 13:59:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[18-Oct-2024 08:13:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[18-Oct-2024 12:22:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[29-Oct-2024 01:26:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[06-Nov-2024 12:08:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
[09-Nov-2024 02:03:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Config\Exception\FileLoaderLoadException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Exception/FileLoaderImportCircularReferenceException.php on line 19
config/Exception/FileLocatorFileNotFoundException.php 0000644 00000001403 14716422132 0017017 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Exception;
/**
* File locator exception if a file does not exist.
*
* @author Leo Feyer
*/
class FileLocatorFileNotFoundException extends \InvalidArgumentException
{
private $paths;
public function __construct($message = '', $code = 0, $previous = null, array $paths = array())
{
parent::__construct($message, $code, $previous);
$this->paths = $paths;
}
public function getPaths()
{
return $this->paths;
}
}
config/Resource/SelfCheckingResourceChecker.php 0000644 00000001742 14716422132 0015641 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Resource;
use Symfony\Component\Config\ResourceCheckerInterface;
/**
* Resource checker for instances of SelfCheckingResourceInterface.
*
* As these resources perform the actual check themselves, we can provide
* this class as a standard way of validating them.
*
* @author Matthias Pigulla
*/
class SelfCheckingResourceChecker implements ResourceCheckerInterface
{
public function supports(ResourceInterface $metadata)
{
return $metadata instanceof SelfCheckingResourceInterface;
}
public function isFresh(ResourceInterface $resource, $timestamp)
{
/* @var SelfCheckingResourceInterface $resource */
return $resource->isFresh($timestamp);
}
}
config/Resource/ReflectionClassResource.php 0000644 00000012521 14716422132 0015104 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Resource;
/**
* @author Nicolas Grekas
*/
class ReflectionClassResource implements SelfCheckingResourceInterface, \Serializable
{
private $files = array();
private $className;
private $classReflector;
private $excludedVendors = array();
private $hash;
public function __construct(\ReflectionClass $classReflector, $excludedVendors = array())
{
$this->className = $classReflector->name;
$this->classReflector = $classReflector;
$this->excludedVendors = $excludedVendors;
}
public function isFresh($timestamp)
{
if (null === $this->hash) {
$this->hash = $this->computeHash();
$this->loadFiles($this->classReflector);
}
foreach ($this->files as $file => $v) {
if (!file_exists($file)) {
return false;
}
if (@filemtime($file) > $timestamp) {
return $this->hash === $this->computeHash();
}
}
return true;
}
public function __toString()
{
return 'reflection.'.$this->className;
}
public function serialize()
{
if (null === $this->hash) {
$this->hash = $this->computeHash();
$this->loadFiles($this->classReflector);
}
return serialize(array($this->files, $this->className, $this->hash));
}
public function unserialize($serialized)
{
list($this->files, $this->className, $this->hash) = unserialize($serialized);
}
private function loadFiles(\ReflectionClass $class)
{
foreach ($class->getInterfaces() as $v) {
$this->loadFiles($v);
}
do {
$file = $class->getFileName();
if (false !== $file && file_exists($file)) {
foreach ($this->excludedVendors as $vendor) {
if (0 === strpos($file, $vendor) && false !== strpbrk(substr($file, strlen($vendor), 1), '/'.DIRECTORY_SEPARATOR)) {
$file = false;
break;
}
}
if ($file) {
$this->files[$file] = null;
}
}
foreach ($class->getTraits() as $v) {
$this->loadFiles($v);
}
} while ($class = $class->getParentClass());
}
private function computeHash()
{
if (null === $this->classReflector) {
try {
$this->classReflector = new \ReflectionClass($this->className);
} catch (\ReflectionException $e) {
// the class does not exist anymore
return false;
}
}
$hash = hash_init('md5');
foreach ($this->generateSignature($this->classReflector) as $info) {
hash_update($hash, $info);
}
return hash_final($hash);
}
private function generateSignature(\ReflectionClass $class)
{
yield $class->getDocComment().$class->getModifiers();
if ($class->isTrait()) {
yield print_r(class_uses($class->name), true);
} else {
yield print_r(class_parents($class->name), true);
yield print_r(class_implements($class->name), true);
yield print_r($class->getConstants(), true);
}
if (!$class->isInterface()) {
$defaults = $class->getDefaultProperties();
foreach ($class->getProperties(\ReflectionProperty::IS_PUBLIC | \ReflectionProperty::IS_PROTECTED) as $p) {
yield $p->getDocComment().$p;
yield print_r($defaults[$p->name], true);
}
}
if (defined('HHVM_VERSION')) {
foreach ($class->getMethods(\ReflectionMethod::IS_PUBLIC | \ReflectionMethod::IS_PROTECTED) as $m) {
// workaround HHVM bug with variadics, see https://github.com/facebook/hhvm/issues/5762
yield preg_replace('/^ @@.*/m', '', new ReflectionMethodHhvmWrapper($m->class, $m->name));
}
} else {
foreach ($class->getMethods(\ReflectionMethod::IS_PUBLIC | \ReflectionMethod::IS_PROTECTED) as $m) {
yield preg_replace('/^ @@.*/m', '', $m);
$defaults = array();
foreach ($m->getParameters() as $p) {
$defaults[$p->name] = $p->isDefaultValueAvailable() ? $p->getDefaultValue() : null;
}
yield print_r($defaults, true);
}
}
}
}
/**
* @internal
*/
class ReflectionMethodHhvmWrapper extends \ReflectionMethod
{
public function getParameters()
{
$params = array();
foreach (parent::getParameters() as $i => $p) {
$params[] = new ReflectionParameterHhvmWrapper(array($this->class, $this->name), $i);
}
return $params;
}
}
/**
* @internal
*/
class ReflectionParameterHhvmWrapper extends \ReflectionParameter
{
public function getDefaultValue()
{
return array($this->isVariadic(), $this->isDefaultValueAvailable() ? parent::getDefaultValue() : null);
}
}
config/Resource/ResourceInterface.php 0000644 00000002023 14716422132 0013720 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Resource;
/**
* ResourceInterface is the interface that must be implemented by all Resource classes.
*
* @author Fabien Potencier
*/
interface ResourceInterface
{
/**
* Returns a string representation of the Resource.
*
* This method is necessary to allow for resource de-duplication, for example by means
* of array_unique(). The string returned need not have a particular meaning, but has
* to be identical for different ResourceInterface instances referring to the same
* resource; and it should be unlikely to collide with that of other, unrelated
* resource instances.
*
* @return string A string representation unique to the underlying Resource
*/
public function __toString();
}
config/Resource/FileExistenceResource.php 0000644 00000003206 14716422132 0014553 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Resource;
/**
* FileExistenceResource represents a resource stored on the filesystem.
* Freshness is only evaluated against resource creation or deletion.
*
* The resource can be a file or a directory.
*
* @author Charles-Henri Bruyand
*/
class FileExistenceResource implements SelfCheckingResourceInterface, \Serializable
{
private $resource;
private $exists;
/**
* Constructor.
*
* @param string $resource The file path to the resource
*/
public function __construct($resource)
{
$this->resource = (string) $resource;
$this->exists = file_exists($resource);
}
/**
* {@inheritdoc}
*/
public function __toString()
{
return $this->resource;
}
/**
* @return string The file path to the resource
*/
public function getResource()
{
return $this->resource;
}
/**
* {@inheritdoc}
*/
public function isFresh($timestamp)
{
return file_exists($this->resource) === $this->exists;
}
/**
* {@inheritdoc}
*/
public function serialize()
{
return serialize(array($this->resource, $this->exists));
}
/**
* {@inheritdoc}
*/
public function unserialize($serialized)
{
list($this->resource, $this->exists) = unserialize($serialized);
}
}
config/Resource/GlobResource.php 0000644 00000011072 14716422132 0012707 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Resource;
use Symfony\Component\Finder\Finder;
use Symfony\Component\Finder\Glob;
/**
* GlobResource represents a set of resources stored on the filesystem.
*
* Only existence/removal is tracked (not mtimes.)
*
* @author Nicolas Grekas
*/
class GlobResource implements \IteratorAggregate, SelfCheckingResourceInterface, \Serializable
{
private $prefix;
private $pattern;
private $recursive;
private $hash;
/**
* Constructor.
*
* @param string $prefix A directory prefix
* @param string $pattern A glob pattern
* @param bool $recursive Whether directories should be scanned recursively or not
*
* @throws \InvalidArgumentException
*/
public function __construct($prefix, $pattern, $recursive)
{
$this->prefix = realpath($prefix) ?: (file_exists($prefix) ? $prefix : false);
$this->pattern = $pattern;
$this->recursive = $recursive;
if (false === $this->prefix) {
throw new \InvalidArgumentException(sprintf('The path "%s" does not exist.', $prefix));
}
}
public function getPrefix()
{
return $this->prefix;
}
/**
* {@inheritdoc}
*/
public function __toString()
{
return 'glob.'.$this->prefix.$this->pattern.(int) $this->recursive;
}
/**
* {@inheritdoc}
*/
public function isFresh($timestamp)
{
$hash = $this->computeHash();
if (null === $this->hash) {
$this->hash = $hash;
}
return $this->hash === $hash;
}
public function serialize()
{
if (null === $this->hash) {
$this->hash = $this->computeHash();
}
return serialize(array($this->prefix, $this->pattern, $this->recursive, $this->hash));
}
public function unserialize($serialized)
{
list($this->prefix, $this->pattern, $this->recursive, $this->hash) = unserialize($serialized);
}
public function getIterator()
{
if (!file_exists($this->prefix) || (!$this->recursive && '' === $this->pattern)) {
return;
}
if (false === strpos($this->pattern, '/**/') && (defined('GLOB_BRACE') || false === strpos($this->pattern, '{'))) {
foreach (glob($this->prefix.$this->pattern, defined('GLOB_BRACE') ? GLOB_BRACE : 0) as $path) {
if ($this->recursive && is_dir($path)) {
$files = iterator_to_array(new \RecursiveIteratorIterator(
new \RecursiveCallbackFilterIterator(
new \RecursiveDirectoryIterator($path, \FilesystemIterator::SKIP_DOTS | \FilesystemIterator::FOLLOW_SYMLINKS),
function (\SplFileInfo $file) { return '.' !== $file->getBasename()[0]; }
),
\RecursiveIteratorIterator::LEAVES_ONLY
));
uasort($files, function (\SplFileInfo $a, \SplFileInfo $b) {
return (string) $a > (string) $b ? 1 : -1;
});
foreach ($files as $path => $info) {
if ($info->isFile()) {
yield $path => $info;
}
}
} elseif (is_file($path)) {
yield $path => new \SplFileInfo($path);
}
}
return;
}
if (!class_exists(Finder::class)) {
throw new \LogicException(sprintf('Extended glob pattern "%s" cannot be used as the Finder component is not installed.', $this->pattern));
}
$finder = new Finder();
$regex = Glob::toRegex($this->pattern);
if ($this->recursive) {
$regex = substr_replace($regex, '(/|$)', -2, 1);
}
$prefixLen = strlen($this->prefix);
foreach ($finder->followLinks()->sortByName()->in($this->prefix) as $path => $info) {
if (preg_match($regex, substr($path, $prefixLen)) && $info->isFile()) {
yield $path => $info;
}
}
}
private function computeHash()
{
$hash = hash_init('md5');
foreach ($this->getIterator() as $path => $info) {
hash_update($hash, $path."\n");
}
return hash_final($hash);
}
}
config/Resource/ComposerResource.php 0000644 00000004333 14716422132 0013615 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Resource;
/**
* ComposerResource tracks the PHP version and Composer dependencies.
*
* @author Nicolas Grekas
*/
class ComposerResource implements SelfCheckingResourceInterface, \Serializable
{
private $versions;
private $vendors;
private static $runtimeVersion;
private static $runtimeVendors;
public function __construct()
{
self::refresh();
$this->versions = self::$runtimeVersion;
$this->vendors = self::$runtimeVendors;
}
public function getVendors()
{
return array_keys($this->vendors);
}
/**
* {@inheritdoc}
*/
public function __toString()
{
return __CLASS__;
}
/**
* {@inheritdoc}
*/
public function isFresh($timestamp)
{
self::refresh();
if (self::$runtimeVersion !== $this->versions) {
return false;
}
return self::$runtimeVendors === $this->vendors;
}
public function serialize()
{
return serialize(array($this->versions, $this->vendors));
}
public function unserialize($serialized)
{
list($this->versions, $this->vendors) = unserialize($serialized);
}
private static function refresh()
{
if (null !== self::$runtimeVersion) {
return;
}
self::$runtimeVersion = array();
self::$runtimeVendors = array();
foreach (get_loaded_extensions() as $ext) {
self::$runtimeVersion[$ext] = phpversion($ext);
}
foreach (get_declared_classes() as $class) {
if ('C' === $class[0] && 0 === strpos($class, 'ComposerAutoloaderInit')) {
$r = new \ReflectionClass($class);
$v = dirname(dirname($r->getFileName()));
if (file_exists($v.'/composer/installed.json')) {
self::$runtimeVendors[$v] = @filemtime($v.'/composer/installed.json');
}
}
}
}
}
config/Resource/error_log; 0000644 00000355311 14716422132 0011622 0 ustar 00 [11-Sep-2023 15:07:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[12-Sep-2023 17:09:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[15-Sep-2023 17:33:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[15-Sep-2023 21:09:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[16-Sep-2023 05:36:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[23-Sep-2023 21:31:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[28-Sep-2023 03:40:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[29-Sep-2023 12:48:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[29-Sep-2023 12:48:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[29-Sep-2023 12:48:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[29-Sep-2023 12:48:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[29-Sep-2023 12:48:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[29-Sep-2023 12:48:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[29-Sep-2023 12:48:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[29-Sep-2023 12:48:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[29-Sep-2023 12:48:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[29-Sep-2023 15:53:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[29-Sep-2023 15:53:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[29-Sep-2023 15:53:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[29-Sep-2023 15:53:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[29-Sep-2023 15:53:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[29-Sep-2023 15:53:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[29-Sep-2023 15:53:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[29-Sep-2023 15:53:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[29-Sep-2023 15:53:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[30-Sep-2023 17:57:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[30-Sep-2023 17:57:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[30-Sep-2023 17:57:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[30-Sep-2023 17:57:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[30-Sep-2023 17:57:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[30-Sep-2023 17:57:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[30-Sep-2023 17:57:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[30-Sep-2023 17:57:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[30-Sep-2023 17:57:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[30-Sep-2023 19:24:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[30-Sep-2023 19:24:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[30-Sep-2023 19:24:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[30-Sep-2023 19:24:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[30-Sep-2023 19:25:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[30-Sep-2023 19:25:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[30-Sep-2023 19:25:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[30-Sep-2023 19:25:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[30-Sep-2023 19:25:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[01-Oct-2023 21:05:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[16-Nov-2023 01:07:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[16-Nov-2023 16:18:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[16-Nov-2023 18:16:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[18-Nov-2023 13:58:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[21-Nov-2023 04:09:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[21-Nov-2023 04:09:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[21-Nov-2023 04:09:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[21-Nov-2023 04:09:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[21-Nov-2023 04:09:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[21-Nov-2023 04:09:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[21-Nov-2023 04:09:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[21-Nov-2023 04:09:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[21-Nov-2023 04:09:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[21-Nov-2023 10:12:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[21-Nov-2023 10:13:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[21-Nov-2023 10:13:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[21-Nov-2023 10:13:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[21-Nov-2023 10:13:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[21-Nov-2023 10:13:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[21-Nov-2023 10:13:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[21-Nov-2023 10:13:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[21-Nov-2023 10:13:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[22-Nov-2023 09:02:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[22-Nov-2023 09:02:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[22-Nov-2023 09:02:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[22-Nov-2023 09:02:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[22-Nov-2023 09:02:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[22-Nov-2023 09:02:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[22-Nov-2023 09:02:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[22-Nov-2023 09:03:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[22-Nov-2023 09:03:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[22-Nov-2023 13:35:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[22-Nov-2023 13:35:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[22-Nov-2023 13:35:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[22-Nov-2023 13:35:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[22-Nov-2023 13:35:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[22-Nov-2023 13:35:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[22-Nov-2023 13:35:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[22-Nov-2023 13:35:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[22-Nov-2023 13:35:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[24-Nov-2023 21:49:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[29-Nov-2023 08:02:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[30-Nov-2023 07:10:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[02-Dec-2023 03:06:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[29-Dec-2023 19:40:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[02-Jan-2024 09:28:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[02-Jan-2024 16:41:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[09-Jan-2024 16:00:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[12-Jan-2024 12:10:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[13-Jan-2024 14:12:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[23-Jan-2024 22:18:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[26-Jan-2024 00:52:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[26-Jan-2024 17:26:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[07-Feb-2024 13:05:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[09-Feb-2024 00:41:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[09-Feb-2024 02:57:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[12-Feb-2024 18:17:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[12-Feb-2024 18:25:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[12-Feb-2024 19:05:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[12-Feb-2024 19:29:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[12-Feb-2024 19:58:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[12-Feb-2024 21:25:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[12-Feb-2024 22:05:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[12-Feb-2024 23:18:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[14-Feb-2024 09:17:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[16-Feb-2024 13:57:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[16-Feb-2024 16:02:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[16-Feb-2024 16:54:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[16-Feb-2024 17:14:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[16-Feb-2024 17:50:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[16-Feb-2024 18:26:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[16-Feb-2024 18:30:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[16-Feb-2024 23:56:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[17-Feb-2024 00:53:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[17-Feb-2024 08:21:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[17-Feb-2024 16:02:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[18-Feb-2024 01:07:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[18-Feb-2024 08:27:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[18-Feb-2024 11:37:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[18-Feb-2024 22:55:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[27-Feb-2024 13:06:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[27-Feb-2024 13:08:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[28-Feb-2024 09:05:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[28-Feb-2024 09:06:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[28-Feb-2024 09:06:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[28-Feb-2024 09:07:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[28-Feb-2024 09:07:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[28-Feb-2024 09:08:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[28-Feb-2024 09:10:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[03-Mar-2024 11:42:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[08-Mar-2024 17:13:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[09-Mar-2024 11:34:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[10-Mar-2024 21:45:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[28-Mar-2024 21:21:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[02-Apr-2024 00:54:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[05-Apr-2024 10:27:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[05-Apr-2024 16:33:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[07-Apr-2024 08:37:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[11-Apr-2024 05:24:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[11-Apr-2024 05:28:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[11-Apr-2024 05:38:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[11-Apr-2024 06:14:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[11-Apr-2024 07:14:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[11-Apr-2024 07:16:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[11-Apr-2024 12:28:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[11-Apr-2024 12:50:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[14-Apr-2024 01:47:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[19-Apr-2024 14:51:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[21-Apr-2024 19:31:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[22-Apr-2024 01:51:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[22-Apr-2024 02:40:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[22-Apr-2024 05:05:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[23-Apr-2024 05:45:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[23-Apr-2024 10:14:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[24-Apr-2024 11:10:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[25-Apr-2024 01:49:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[27-Apr-2024 04:34:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[30-Apr-2024 13:25:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[04-May-2024 12:43:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[04-May-2024 21:36:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[04-May-2024 21:40:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[04-May-2024 21:41:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[04-May-2024 21:41:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[04-May-2024 21:41:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[04-May-2024 21:43:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[04-May-2024 21:44:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[04-May-2024 21:45:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[04-May-2024 21:51:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[04-May-2024 21:57:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[04-May-2024 21:58:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[04-May-2024 22:42:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[04-May-2024 22:47:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[04-May-2024 23:53:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[05-May-2024 00:12:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[05-May-2024 00:38:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[05-May-2024 01:10:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[05-May-2024 07:35:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[05-May-2024 07:35:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[05-May-2024 07:36:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[05-May-2024 07:37:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[05-May-2024 07:38:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[05-May-2024 07:39:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[05-May-2024 07:45:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[05-May-2024 07:53:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[05-May-2024 07:53:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[05-May-2024 12:10:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[05-May-2024 12:40:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[05-May-2024 17:45:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[05-May-2024 17:45:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[05-May-2024 17:45:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[05-May-2024 17:47:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[05-May-2024 17:48:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[05-May-2024 17:49:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[05-May-2024 17:57:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[05-May-2024 18:04:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[05-May-2024 18:04:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[07-May-2024 23:36:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[14-May-2024 11:53:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[14-May-2024 11:53:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[14-May-2024 11:54:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[14-May-2024 11:55:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[14-May-2024 11:56:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[14-May-2024 11:57:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[14-May-2024 12:05:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[14-May-2024 12:16:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[14-May-2024 12:16:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[18-May-2024 13:40:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[19-May-2024 07:24:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[19-May-2024 23:51:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[20-May-2024 00:17:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[20-May-2024 00:42:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[20-May-2024 00:55:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[21-May-2024 01:59:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[23-May-2024 12:54:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[25-May-2024 14:19:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[25-May-2024 22:14:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[25-May-2024 22:17:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[26-May-2024 01:01:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[26-May-2024 01:12:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[28-May-2024 11:03:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[28-May-2024 19:03:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[28-May-2024 20:54:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[29-May-2024 01:46:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[29-May-2024 23:58:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[30-May-2024 01:00:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[30-May-2024 12:33:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[31-May-2024 20:20:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[03-Jun-2024 06:46:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[04-Jun-2024 17:16:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[09-Jun-2024 05:26:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[09-Jun-2024 08:03:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[09-Jun-2024 22:23:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[14-Jun-2024 15:59:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[14-Jun-2024 15:59:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[14-Jun-2024 15:59:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[14-Jun-2024 15:59:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[14-Jun-2024 16:00:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[14-Jun-2024 16:00:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[14-Jun-2024 16:00:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[14-Jun-2024 16:00:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[14-Jun-2024 16:00:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[15-Jun-2024 02:06:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[15-Jun-2024 02:10:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[15-Jun-2024 02:14:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[15-Jun-2024 06:36:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[15-Jun-2024 19:12:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[15-Jun-2024 19:16:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[15-Jun-2024 19:18:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[15-Jun-2024 19:49:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[16-Jun-2024 02:08:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[18-Jun-2024 19:25:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[18-Jun-2024 19:25:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[18-Jun-2024 19:26:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[18-Jun-2024 19:27:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[18-Jun-2024 19:28:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[18-Jun-2024 19:28:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[18-Jun-2024 19:31:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[18-Jun-2024 19:36:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[18-Jun-2024 19:36:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[19-Jun-2024 04:26:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[19-Jun-2024 04:26:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[19-Jun-2024 04:27:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[19-Jun-2024 04:28:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[19-Jun-2024 04:29:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[19-Jun-2024 04:30:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[19-Jun-2024 04:32:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[19-Jun-2024 04:37:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[19-Jun-2024 04:37:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[19-Jun-2024 15:49:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[19-Jun-2024 15:49:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[19-Jun-2024 15:50:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[19-Jun-2024 15:51:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[19-Jun-2024 15:52:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[19-Jun-2024 15:53:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[19-Jun-2024 15:55:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[19-Jun-2024 16:00:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[19-Jun-2024 16:00:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[20-Jun-2024 09:24:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[21-Jun-2024 02:02:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[21-Jun-2024 04:31:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[21-Jun-2024 04:43:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[21-Jun-2024 04:52:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[27-Jun-2024 02:33:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[27-Jun-2024 05:46:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[27-Jun-2024 06:41:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[27-Jun-2024 07:08:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[27-Jun-2024 07:23:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[27-Jun-2024 11:37:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[27-Jun-2024 16:37:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[27-Jun-2024 18:34:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[28-Jun-2024 16:37:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[28-Jun-2024 20:24:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[28-Jun-2024 21:58:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[28-Jun-2024 22:31:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[06-Jul-2024 11:56:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[06-Jul-2024 18:28:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[07-Jul-2024 00:17:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[07-Jul-2024 02:22:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[07-Jul-2024 06:51:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[07-Jul-2024 09:20:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[07-Jul-2024 10:34:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[07-Jul-2024 16:28:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[08-Jul-2024 06:08:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[08-Jul-2024 06:42:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[08-Jul-2024 15:53:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[08-Jul-2024 18:19:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[12-Jul-2024 07:33:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[12-Jul-2024 12:03:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[12-Jul-2024 22:22:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[13-Jul-2024 04:35:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[14-Jul-2024 03:10:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[14-Jul-2024 03:18:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[17-Jul-2024 19:24:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[20-Jul-2024 20:33:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[22-Jul-2024 07:25:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[22-Jul-2024 09:13:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[22-Jul-2024 09:53:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[22-Jul-2024 09:54:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[22-Jul-2024 16:13:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[22-Jul-2024 16:14:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[22-Jul-2024 16:14:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[22-Jul-2024 16:15:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[22-Jul-2024 16:17:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[22-Jul-2024 16:17:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[22-Jul-2024 16:26:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[22-Jul-2024 16:31:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[22-Jul-2024 16:31:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[24-Jul-2024 02:54:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[27-Jul-2024 05:51:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[28-Jul-2024 07:12:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[28-Jul-2024 07:58:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[02-Aug-2024 20:04:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[03-Aug-2024 01:30:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[03-Aug-2024 19:22:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[03-Aug-2024 20:28:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[07-Aug-2024 09:14:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[13-Aug-2024 07:55:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[13-Aug-2024 13:38:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[16-Aug-2024 17:50:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[16-Aug-2024 18:41:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[17-Aug-2024 02:59:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[17-Aug-2024 03:45:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[17-Aug-2024 04:08:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[17-Aug-2024 05:34:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[17-Aug-2024 07:19:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[17-Aug-2024 10:12:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[17-Aug-2024 10:49:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[17-Aug-2024 14:16:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[18-Aug-2024 09:57:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[18-Aug-2024 11:25:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[18-Aug-2024 15:11:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[18-Aug-2024 18:45:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[19-Aug-2024 10:03:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[29-Aug-2024 19:40:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[30-Aug-2024 01:14:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[30-Aug-2024 12:37:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[30-Aug-2024 12:37:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[30-Aug-2024 12:38:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[30-Aug-2024 12:39:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[30-Aug-2024 12:41:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[30-Aug-2024 12:41:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[30-Aug-2024 13:03:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[30-Aug-2024 13:03:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[30-Aug-2024 13:03:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[30-Aug-2024 13:04:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[30-Aug-2024 13:06:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[30-Aug-2024 13:07:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[30-Aug-2024 13:26:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[30-Aug-2024 13:27:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[30-Aug-2024 13:49:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[30-Aug-2024 13:49:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[30-Aug-2024 13:51:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[30-Aug-2024 13:51:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[01-Sep-2024 19:52:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[01-Sep-2024 19:52:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[01-Sep-2024 19:52:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[01-Sep-2024 19:53:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[01-Sep-2024 19:55:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[01-Sep-2024 19:55:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[01-Sep-2024 20:02:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[01-Sep-2024 20:08:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[01-Sep-2024 20:08:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[05-Sep-2024 00:19:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[09-Sep-2024 02:23:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[09-Sep-2024 05:16:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[09-Sep-2024 06:18:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[09-Sep-2024 23:05:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[18-Sep-2024 06:28:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[18-Sep-2024 09:50:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[19-Sep-2024 20:53:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[20-Sep-2024 07:49:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[20-Sep-2024 11:11:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[20-Sep-2024 15:57:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[20-Sep-2024 20:04:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[20-Sep-2024 20:57:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[20-Sep-2024 22:36:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[20-Sep-2024 23:24:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[21-Sep-2024 04:37:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[24-Sep-2024 06:21:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[24-Sep-2024 12:27:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[25-Sep-2024 00:20:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[25-Sep-2024 02:20:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[25-Sep-2024 15:38:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[25-Sep-2024 22:42:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[26-Sep-2024 02:41:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[26-Sep-2024 11:56:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[02-Oct-2024 01:40:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[05-Oct-2024 10:34:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[05-Oct-2024 13:17:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[06-Oct-2024 11:16:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[06-Oct-2024 15:35:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[08-Oct-2024 05:48:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[10-Oct-2024 05:40:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[12-Oct-2024 06:24:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[12-Oct-2024 06:52:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[12-Oct-2024 07:02:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[12-Oct-2024 07:19:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[12-Oct-2024 07:28:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[12-Oct-2024 09:29:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[12-Oct-2024 12:03:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[17-Oct-2024 15:54:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[17-Oct-2024 23:44:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[18-Oct-2024 08:04:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[21-Oct-2024 11:16:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[21-Oct-2024 17:40:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[21-Oct-2024 18:51:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[22-Oct-2024 17:32:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[22-Oct-2024 19:07:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[23-Oct-2024 04:42:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[23-Oct-2024 07:00:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[23-Oct-2024 11:07:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[23-Oct-2024 12:08:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[23-Oct-2024 12:09:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[23-Oct-2024 13:18:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[23-Oct-2024 16:57:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[23-Oct-2024 20:46:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[24-Oct-2024 16:48:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[26-Oct-2024 00:16:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[26-Oct-2024 11:26:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[26-Oct-2024 13:21:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[28-Oct-2024 12:44:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[28-Oct-2024 12:44:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[28-Oct-2024 16:38:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[29-Oct-2024 00:53:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[29-Oct-2024 00:53:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[29-Oct-2024 00:53:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[29-Oct-2024 00:54:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[29-Oct-2024 00:56:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[29-Oct-2024 00:57:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[29-Oct-2024 01:13:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[29-Oct-2024 01:21:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[29-Oct-2024 01:21:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[29-Oct-2024 01:49:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[29-Oct-2024 13:08:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[31-Oct-2024 22:26:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[31-Oct-2024 23:24:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[01-Nov-2024 08:19:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[01-Nov-2024 09:56:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[02-Nov-2024 22:41:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[04-Nov-2024 08:03:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[04-Nov-2024 11:59:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[06-Nov-2024 11:36:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[06-Nov-2024 11:36:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[06-Nov-2024 11:37:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[06-Nov-2024 11:38:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[06-Nov-2024 11:39:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[06-Nov-2024 11:40:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[06-Nov-2024 11:55:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[06-Nov-2024 12:03:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[06-Nov-2024 12:03:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[06-Nov-2024 21:50:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[06-Nov-2024 22:49:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[06-Nov-2024 22:56:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[07-Nov-2024 00:04:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[09-Nov-2024 01:50:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/GlobResource.php on line 24
[09-Nov-2024 01:50:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[09-Nov-2024 01:50:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ComposerResource.php on line 19
[09-Nov-2024 01:51:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/DirectoryResource.php on line 19
[09-Nov-2024 01:51:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileExistenceResource.php on line 22
[09-Nov-2024 01:51:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ClassExistenceResource.php on line 22
[09-Nov-2024 01:52:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/ReflectionClassResource.php on line 17
[09-Nov-2024 02:02:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
[09-Nov-2024 02:02:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[10-Nov-2024 18:45:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\SelfCheckingResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/FileResource.php on line 21
[11-Nov-2024 03:58:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\ResourceCheckerInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceChecker.php on line 24
[11-Nov-2024 11:19:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Config\Resource\ResourceInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/config/Resource/SelfCheckingResourceInterface.php on line 20
config/Resource/ClassExistenceResource.php 0000644 00000007655 14716422132 0014755 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Resource;
/**
* ClassExistenceResource represents a class existence.
* Freshness is only evaluated against resource existence.
*
* The resource must be a fully-qualified class name.
*
* @author Fabien Potencier
*/
class ClassExistenceResource implements SelfCheckingResourceInterface, \Serializable
{
private $resource;
private $exists;
private static $autoloadLevel = 0;
private static $existsCache = array();
/**
* @param string $resource The fully-qualified class name
* @param bool|null $exists Boolean when the existency check has already been done
*/
public function __construct($resource, $exists = null)
{
$this->resource = $resource;
if (null !== $exists) {
$this->exists = (bool) $exists;
}
}
/**
* {@inheritdoc}
*/
public function __toString()
{
return $this->resource;
}
/**
* @return string The file path to the resource
*/
public function getResource()
{
return $this->resource;
}
/**
* {@inheritdoc}
*/
public function isFresh($timestamp)
{
$loaded = class_exists($this->resource, false) || interface_exists($this->resource, false) || trait_exists($this->resource, false);
if (null !== $exists = &self::$existsCache[$this->resource]) {
$exists = $exists || $loaded;
} elseif (!$exists = $loaded) {
if (!self::$autoloadLevel++) {
spl_autoload_register(__CLASS__.'::throwOnRequiredClass');
}
try {
$exists = class_exists($this->resource) || interface_exists($this->resource, false) || trait_exists($this->resource, false);
} catch (\ReflectionException $e) {
$exists = false;
} finally {
if (!--self::$autoloadLevel) {
spl_autoload_unregister(__CLASS__.'::throwOnRequiredClass');
}
}
}
if (null === $this->exists) {
$this->exists = $exists;
}
return $this->exists xor !$exists;
}
/**
* {@inheritdoc}
*/
public function serialize()
{
if (null === $this->exists) {
$this->isFresh(0);
}
return serialize(array($this->resource, $this->exists));
}
/**
* {@inheritdoc}
*/
public function unserialize($serialized)
{
list($this->resource, $this->exists) = unserialize($serialized);
}
/**
* @throws \ReflectionException When $class is not found and is required
*/
private static function throwOnRequiredClass($class)
{
$e = new \ReflectionException("Class $class does not exist");
$trace = $e->getTrace();
$autoloadFrame = array(
'function' => 'spl_autoload_call',
'args' => array($class),
);
$i = 1 + array_search($autoloadFrame, $trace, true);
if (isset($trace[$i]['function']) && !isset($trace[$i]['class'])) {
switch ($trace[$i]['function']) {
case 'get_class_methods':
case 'get_class_vars':
case 'get_parent_class':
case 'is_a':
case 'is_subclass_of':
case 'class_exists':
case 'class_implements':
case 'class_parents':
case 'trait_exists':
case 'defined':
case 'interface_exists':
case 'method_exists':
case 'property_exists':
case 'is_callable':
return;
}
}
throw $e;
}
}
config/Resource/SelfCheckingResourceInterface.php 0000644 00000001502 14716422132 0016167 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Resource;
/**
* Interface for Resources that can check for freshness autonomously,
* without special support from external services.
*
* @author Matthias Pigulla
*/
interface SelfCheckingResourceInterface extends ResourceInterface
{
/**
* Returns true if the resource has not been updated since the given timestamp.
*
* @param int $timestamp The last time the resource was loaded
*
* @return bool True if the resource has not been updated, false otherwise
*/
public function isFresh($timestamp);
}
config/Resource/DirectoryResource.php 0000644 00000006113 14716422132 0013770 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Resource;
/**
* DirectoryResource represents a resources stored in a subdirectory tree.
*
* @author Fabien Potencier
*/
class DirectoryResource implements SelfCheckingResourceInterface, \Serializable
{
private $resource;
private $pattern;
/**
* Constructor.
*
* @param string $resource The file path to the resource
* @param string|null $pattern A pattern to restrict monitored files
*
* @throws \InvalidArgumentException
*/
public function __construct($resource, $pattern = null)
{
$this->resource = realpath($resource) ?: (file_exists($resource) ? $resource : false);
$this->pattern = $pattern;
if (false === $this->resource || !is_dir($this->resource)) {
throw new \InvalidArgumentException(sprintf('The directory "%s" does not exist.', $resource));
}
}
/**
* {@inheritdoc}
*/
public function __toString()
{
return md5(serialize(array($this->resource, $this->pattern)));
}
/**
* @return string The file path to the resource
*/
public function getResource()
{
return $this->resource;
}
/**
* Returns the pattern to restrict monitored files.
*
* @return string|null
*/
public function getPattern()
{
return $this->pattern;
}
/**
* {@inheritdoc}
*/
public function isFresh($timestamp)
{
if (!is_dir($this->resource)) {
return false;
}
if ($timestamp < filemtime($this->resource)) {
return false;
}
foreach (new \RecursiveIteratorIterator(new \RecursiveDirectoryIterator($this->resource), \RecursiveIteratorIterator::SELF_FIRST) as $file) {
// if regex filtering is enabled only check matching files
if ($this->pattern && $file->isFile() && !preg_match($this->pattern, $file->getBasename())) {
continue;
}
// always monitor directories for changes, except the .. entries
// (otherwise deleted files wouldn't get detected)
if ($file->isDir() && '/..' === substr($file, -3)) {
continue;
}
// for broken links
try {
$fileMTime = $file->getMTime();
} catch (\RuntimeException $e) {
continue;
}
// early return if a file's mtime exceeds the passed timestamp
if ($timestamp < $fileMTime) {
return false;
}
}
return true;
}
public function serialize()
{
return serialize(array($this->resource, $this->pattern));
}
public function unserialize($serialized)
{
list($this->resource, $this->pattern) = unserialize($serialized);
}
}
config/Resource/FileResource.php 0000644 00000003264 14716422132 0012707 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Resource;
/**
* FileResource represents a resource stored on the filesystem.
*
* The resource can be a file or a directory.
*
* @author Fabien Potencier
*/
class FileResource implements SelfCheckingResourceInterface, \Serializable
{
/**
* @var string|false
*/
private $resource;
/**
* Constructor.
*
* @param string $resource The file path to the resource
*
* @throws \InvalidArgumentException
*/
public function __construct($resource)
{
$this->resource = realpath($resource) ?: (file_exists($resource) ? $resource : false);
if (false === $this->resource) {
throw new \InvalidArgumentException(sprintf('The file "%s" does not exist.', $resource));
}
}
/**
* {@inheritdoc}
*/
public function __toString()
{
return $this->resource;
}
/**
* @return string The canonicalized, absolute path to the resource
*/
public function getResource()
{
return $this->resource;
}
/**
* {@inheritdoc}
*/
public function isFresh($timestamp)
{
return file_exists($this->resource) && @filemtime($this->resource) <= $timestamp;
}
public function serialize()
{
return serialize($this->resource);
}
public function unserialize($serialized)
{
$this->resource = unserialize($serialized);
}
}
config/Util/XmlUtils.php 0000644 00000017654 14716422132 0011237 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config\Util;
/**
* XMLUtils is a bunch of utility methods to XML operations.
*
* This class contains static methods only and is not meant to be instantiated.
*
* @author Fabien Potencier
* @author Martin Hasoň
*/
class XmlUtils
{
/**
* This class should not be instantiated.
*/
private function __construct()
{
}
/**
* Loads an XML file.
*
* @param string $file An XML file path
* @param string|callable|null $schemaOrCallable An XSD schema file path, a callable, or null to disable validation
*
* @return \DOMDocument
*
* @throws \InvalidArgumentException When loading of XML file returns error
*/
public static function loadFile($file, $schemaOrCallable = null)
{
$content = @file_get_contents($file);
if ('' === trim($content)) {
throw new \InvalidArgumentException(sprintf('File %s does not contain valid XML, it is empty.', $file));
}
$internalErrors = libxml_use_internal_errors(true);
$disableEntities = libxml_disable_entity_loader(true);
libxml_clear_errors();
$dom = new \DOMDocument();
$dom->validateOnParse = true;
if (!$dom->loadXML($content, LIBXML_NONET | (defined('LIBXML_COMPACT') ? LIBXML_COMPACT : 0))) {
libxml_disable_entity_loader($disableEntities);
throw new \InvalidArgumentException(implode("\n", static::getXmlErrors($internalErrors)));
}
$dom->normalizeDocument();
libxml_use_internal_errors($internalErrors);
libxml_disable_entity_loader($disableEntities);
foreach ($dom->childNodes as $child) {
if ($child->nodeType === XML_DOCUMENT_TYPE_NODE) {
throw new \InvalidArgumentException('Document types are not allowed.');
}
}
if (null !== $schemaOrCallable) {
$internalErrors = libxml_use_internal_errors(true);
libxml_clear_errors();
$e = null;
if (is_callable($schemaOrCallable)) {
try {
$valid = call_user_func($schemaOrCallable, $dom, $internalErrors);
} catch (\Exception $e) {
$valid = false;
}
} elseif (!is_array($schemaOrCallable) && is_file((string) $schemaOrCallable)) {
$schemaSource = file_get_contents((string) $schemaOrCallable);
$valid = @$dom->schemaValidateSource($schemaSource);
} else {
libxml_use_internal_errors($internalErrors);
throw new \InvalidArgumentException('The schemaOrCallable argument has to be a valid path to XSD file or callable.');
}
if (!$valid) {
$messages = static::getXmlErrors($internalErrors);
if (empty($messages)) {
$messages = array(sprintf('The XML file "%s" is not valid.', $file));
}
throw new \InvalidArgumentException(implode("\n", $messages), 0, $e);
}
}
libxml_clear_errors();
libxml_use_internal_errors($internalErrors);
return $dom;
}
/**
* Converts a \DomElement object to a PHP array.
*
* The following rules applies during the conversion:
*
* * Each tag is converted to a key value or an array
* if there is more than one "value"
*
* * The content of a tag is set under a "value" key (bar)
* if the tag also has some nested tags
*
* * The attributes are converted to keys ()
*
* * The nested-tags are converted to keys (bar)
*
* @param \DomElement $element A \DomElement instance
* @param bool $checkPrefix Check prefix in an element or an attribute name
*
* @return array A PHP array
*/
public static function convertDomElementToArray(\DOMElement $element, $checkPrefix = true)
{
$prefix = (string) $element->prefix;
$empty = true;
$config = array();
foreach ($element->attributes as $name => $node) {
if ($checkPrefix && !in_array((string) $node->prefix, array('', $prefix), true)) {
continue;
}
$config[$name] = static::phpize($node->value);
$empty = false;
}
$nodeValue = false;
foreach ($element->childNodes as $node) {
if ($node instanceof \DOMText) {
if ('' !== trim($node->nodeValue)) {
$nodeValue = trim($node->nodeValue);
$empty = false;
}
} elseif ($checkPrefix && $prefix != (string) $node->prefix) {
continue;
} elseif (!$node instanceof \DOMComment) {
$value = static::convertDomElementToArray($node, $checkPrefix);
$key = $node->localName;
if (isset($config[$key])) {
if (!is_array($config[$key]) || !is_int(key($config[$key]))) {
$config[$key] = array($config[$key]);
}
$config[$key][] = $value;
} else {
$config[$key] = $value;
}
$empty = false;
}
}
if (false !== $nodeValue) {
$value = static::phpize($nodeValue);
if (count($config)) {
$config['value'] = $value;
} else {
$config = $value;
}
}
return !$empty ? $config : null;
}
/**
* Converts an xml value to a PHP type.
*
* @param mixed $value
*
* @return mixed
*/
public static function phpize($value)
{
$value = (string) $value;
$lowercaseValue = strtolower($value);
switch (true) {
case 'null' === $lowercaseValue:
return;
case ctype_digit($value):
$raw = $value;
$cast = (int) $value;
return '0' == $value[0] ? octdec($value) : (((string) $raw === (string) $cast) ? $cast : $raw);
case isset($value[1]) && '-' === $value[0] && ctype_digit(substr($value, 1)):
$raw = $value;
$cast = (int) $value;
return '0' == $value[1] ? octdec($value) : (((string) $raw === (string) $cast) ? $cast : $raw);
case 'true' === $lowercaseValue:
return true;
case 'false' === $lowercaseValue:
return false;
case isset($value[1]) && '0b' == $value[0].$value[1]:
return bindec($value);
case is_numeric($value):
return '0x' === $value[0].$value[1] ? hexdec($value) : (float) $value;
case preg_match('/^0x[0-9a-f]++$/i', $value):
return hexdec($value);
case preg_match('/^(-|\+)?[0-9]+(\.[0-9]+)?$/', $value):
return (float) $value;
default:
return $value;
}
}
protected static function getXmlErrors($internalErrors)
{
$errors = array();
foreach (libxml_get_errors() as $error) {
$errors[] = sprintf('[%s %s] %s (in %s - line %d, column %d)',
LIBXML_ERR_WARNING == $error->level ? 'WARNING' : 'ERROR',
$error->code,
trim($error->message),
$error->file ?: 'n/a',
$error->line,
$error->column
);
}
libxml_clear_errors();
libxml_use_internal_errors($internalErrors);
return $errors;
}
}
config/ConfigCacheFactory.php 0000644 00000002532 14716422132 0012207 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config;
/**
* Basic implementation of ConfigCacheFactoryInterface that
* creates an instance of the default ConfigCache.
*
* This factory and/or cache do not support cache validation
* by means of ResourceChecker instances (that is, service-based).
*
* @author Matthias Pigulla
*/
class ConfigCacheFactory implements ConfigCacheFactoryInterface
{
/**
* @var bool Debug flag passed to the ConfigCache
*/
private $debug;
/**
* @param bool $debug The debug flag to pass to ConfigCache
*/
public function __construct($debug)
{
$this->debug = $debug;
}
/**
* {@inheritdoc}
*/
public function cache($file, $callback)
{
if (!is_callable($callback)) {
throw new \InvalidArgumentException(sprintf('Invalid type for callback argument. Expected callable, but got "%s".', gettype($callback)));
}
$cache = new ConfigCache($file, $this->debug);
if (!$cache->isFresh()) {
call_user_func($callback, $cache);
}
return $cache;
}
}
config/ResourceCheckerConfigCache.php 0000644 00000011625 14716422132 0013657 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config;
use Symfony\Component\Config\Resource\ResourceInterface;
use Symfony\Component\Filesystem\Exception\IOException;
use Symfony\Component\Filesystem\Filesystem;
/**
* ResourceCheckerConfigCache uses instances of ResourceCheckerInterface
* to check whether cached data is still fresh.
*
* @author Matthias Pigulla
*/
class ResourceCheckerConfigCache implements ConfigCacheInterface
{
/**
* @var string
*/
private $file;
/**
* @var iterable|ResourceCheckerInterface[]
*/
private $resourceCheckers;
/**
* @param string $file The absolute cache path
* @param iterable|ResourceCheckerInterface[] $resourceCheckers The ResourceCheckers to use for the freshness check
*/
public function __construct($file, $resourceCheckers = array())
{
$this->file = $file;
$this->resourceCheckers = $resourceCheckers;
}
/**
* {@inheritdoc}
*/
public function getPath()
{
return $this->file;
}
/**
* Checks if the cache is still fresh.
*
* This implementation will make a decision solely based on the ResourceCheckers
* passed in the constructor.
*
* The first ResourceChecker that supports a given resource is considered authoritative.
* Resources with no matching ResourceChecker will silently be ignored and considered fresh.
*
* @return bool true if the cache is fresh, false otherwise
*/
public function isFresh()
{
if (!is_file($this->file)) {
return false;
}
if (!$this->resourceCheckers) {
return true; // shortcut - if we don't have any checkers we don't need to bother with the meta file at all
}
$metadata = $this->getMetaFile();
if (!is_file($metadata)) {
return false;
}
$e = null;
$meta = false;
$time = filemtime($this->file);
$signalingException = new \UnexpectedValueException();
$prevUnserializeHandler = ini_set('unserialize_callback_func', '');
$prevErrorHandler = set_error_handler(function ($type, $msg, $file, $line, $context) use (&$prevErrorHandler, $signalingException) {
if (E_WARNING === $type && 'Class __PHP_Incomplete_Class has no unserializer' === $msg) {
throw $signalingException;
}
return $prevErrorHandler ? $prevErrorHandler($type, $msg, $file, $line, $context) : false;
});
try {
$meta = unserialize(file_get_contents($metadata));
} catch (\Error $e) {
} catch (\Exception $e) {
}
restore_error_handler();
ini_set('unserialize_callback_func', $prevUnserializeHandler);
if (null !== $e && $e !== $signalingException) {
throw $e;
}
if (false === $meta) {
return false;
}
foreach ($meta as $resource) {
/* @var ResourceInterface $resource */
foreach ($this->resourceCheckers as $checker) {
if (!$checker->supports($resource)) {
continue; // next checker
}
if ($checker->isFresh($resource, $time)) {
break; // no need to further check this resource
}
return false; // cache is stale
}
// no suitable checker found, ignore this resource
}
return true;
}
/**
* Writes cache.
*
* @param string $content The content to write in the cache
* @param ResourceInterface[] $metadata An array of metadata
*
* @throws \RuntimeException When cache file can't be written
*/
public function write($content, array $metadata = null)
{
$mode = 0666;
$umask = umask();
$filesystem = new Filesystem();
$filesystem->dumpFile($this->file, $content, null);
try {
$filesystem->chmod($this->file, $mode, $umask);
} catch (IOException $e) {
// discard chmod failure (some filesystem may not support it)
}
if (null !== $metadata) {
$filesystem->dumpFile($this->getMetaFile(), serialize($metadata), null);
try {
$filesystem->chmod($this->getMetaFile(), $mode, $umask);
} catch (IOException $e) {
// discard chmod failure (some filesystem may not support it)
}
}
}
/**
* Gets the meta file path.
*
* @return string The meta file path
*/
private function getMetaFile()
{
return $this->file.'.meta';
}
}
config/ResourceCheckerConfigCacheFactory.php 0000644 00000002464 14716422132 0015210 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Config;
/**
* A ConfigCacheFactory implementation that validates the
* cache with an arbitrary set of ResourceCheckers.
*
* @author Matthias Pigulla
*/
class ResourceCheckerConfigCacheFactory implements ConfigCacheFactoryInterface
{
/**
* @var iterable|ResourceCheckerInterface[]
*/
private $resourceCheckers = array();
/**
* @param iterable|ResourceCheckerInterface[] $resourceCheckers
*/
public function __construct($resourceCheckers = array())
{
$this->resourceCheckers = $resourceCheckers;
}
/**
* {@inheritdoc}
*/
public function cache($file, $callback)
{
if (!is_callable($callback)) {
throw new \InvalidArgumentException(sprintf('Invalid type for callback argument. Expected callable, but got "%s".', gettype($callback)));
}
$cache = new ResourceCheckerConfigCache($file, $this->resourceCheckers);
if (!$cache->isFresh()) {
call_user_func($callback, $cache);
}
return $cache;
}
}
yaml/Escaper.php 0000644 00000007671 14716422132 0007616 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml;
/**
* Escaper encapsulates escaping rules for single and double-quoted
* YAML strings.
*
* @author Matthew Lewinski
*
* @internal
*/
class Escaper
{
// Characters that would cause a dumped string to require double quoting.
const REGEX_CHARACTER_TO_ESCAPE = "[\\x00-\\x1f]|\x7f|\xc2\x85|\xc2\xa0|\xe2\x80\xa8|\xe2\x80\xa9";
// Mapping arrays for escaping a double quoted string. The backslash is
// first to ensure proper escaping because str_replace operates iteratively
// on the input arrays. This ordering of the characters avoids the use of strtr,
// which performs more slowly.
private static $escapees = ['\\', '\\\\', '\\"', '"',
"\x00", "\x01", "\x02", "\x03", "\x04", "\x05", "\x06", "\x07",
"\x08", "\x09", "\x0a", "\x0b", "\x0c", "\x0d", "\x0e", "\x0f",
"\x10", "\x11", "\x12", "\x13", "\x14", "\x15", "\x16", "\x17",
"\x18", "\x19", "\x1a", "\x1b", "\x1c", "\x1d", "\x1e", "\x1f",
"\x7f",
"\xc2\x85", "\xc2\xa0", "\xe2\x80\xa8", "\xe2\x80\xa9",
];
private static $escaped = ['\\\\', '\\"', '\\\\', '\\"',
'\\0', '\\x01', '\\x02', '\\x03', '\\x04', '\\x05', '\\x06', '\\a',
'\\b', '\\t', '\\n', '\\v', '\\f', '\\r', '\\x0e', '\\x0f',
'\\x10', '\\x11', '\\x12', '\\x13', '\\x14', '\\x15', '\\x16', '\\x17',
'\\x18', '\\x19', '\\x1a', '\\e', '\\x1c', '\\x1d', '\\x1e', '\\x1f',
'\\x7f',
'\\N', '\\_', '\\L', '\\P',
];
/**
* Determines if a PHP value would require double quoting in YAML.
*
* @param string $value A PHP value
*
* @return bool True if the value would require double quotes
*/
public static function requiresDoubleQuoting($value)
{
return 0 < preg_match('/'.self::REGEX_CHARACTER_TO_ESCAPE.'/u', $value);
}
/**
* Escapes and surrounds a PHP value with double quotes.
*
* @param string $value A PHP value
*
* @return string The quoted, escaped string
*/
public static function escapeWithDoubleQuotes($value)
{
return sprintf('"%s"', str_replace(self::$escapees, self::$escaped, $value));
}
/**
* Determines if a PHP value would require single quoting in YAML.
*
* @param string $value A PHP value
*
* @return bool True if the value would require single quotes
*/
public static function requiresSingleQuoting($value)
{
// Determines if a PHP value is entirely composed of a value that would
// require single quoting in YAML.
if (\in_array(strtolower($value), ['null', '~', 'true', 'false', 'y', 'n', 'yes', 'no', 'on', 'off'])) {
return true;
}
// Determines if the PHP value contains any single characters that would
// cause it to require single quoting in YAML.
return 0 < preg_match('/[ \s \' " \: \{ \} \[ \] , & \* \# \?] | \A[ \- ? | < > = ! % @ ` ]/x', $value);
}
/**
* Escapes and surrounds a PHP value with single quotes.
*
* @param string $value A PHP value
*
* @return string The quoted, escaped string
*/
public static function escapeWithSingleQuotes($value)
{
return sprintf("'%s'", str_replace('\'', '\'\'', $value));
}
}
yaml/composer.json 0000644 00000002002 14716422132 0010224 0 ustar 00 {
"name": "symfony/yaml",
"type": "library",
"description": "Symfony Yaml Component",
"keywords": [],
"homepage": "https://symfony.com",
"license": "MIT",
"authors": [
{
"name": "Fabien Potencier",
"email": "fabien@symfony.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"require": {
"php": "^5.5.9|>=7.0.8",
"symfony/polyfill-ctype": "~1.8"
},
"require-dev": {
"symfony/console": "~3.4|~4.0"
},
"conflict": {
"symfony/console": "<3.4"
},
"suggest": {
"symfony/console": "For validating YAML files using the lint command"
},
"autoload": {
"psr-4": { "Symfony\\Component\\Yaml\\": "" },
"exclude-from-classmap": [
"/Tests/"
]
},
"minimum-stability": "dev",
"extra": {
"branch-alias": {
"dev-master": "3.4-dev"
}
}
}
yaml/Unescaper.php 0000644 00000007533 14716422132 0010156 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml;
use Symfony\Component\Yaml\Exception\ParseException;
/**
* Unescaper encapsulates unescaping rules for single and double-quoted
* YAML strings.
*
* @author Matthew Lewinski
*
* @internal
*/
class Unescaper
{
/**
* Regex fragment that matches an escaped character in a double quoted string.
*/
const REGEX_ESCAPED_CHARACTER = '\\\\(x[0-9a-fA-F]{2}|u[0-9a-fA-F]{4}|U[0-9a-fA-F]{8}|.)';
/**
* Unescapes a single quoted string.
*
* @param string $value A single quoted string
*
* @return string The unescaped string
*/
public function unescapeSingleQuotedString($value)
{
return str_replace('\'\'', '\'', $value);
}
/**
* Unescapes a double quoted string.
*
* @param string $value A double quoted string
*
* @return string The unescaped string
*/
public function unescapeDoubleQuotedString($value)
{
$callback = function ($match) {
return $this->unescapeCharacter($match[0]);
};
// evaluate the string
return preg_replace_callback('/'.self::REGEX_ESCAPED_CHARACTER.'/u', $callback, $value);
}
/**
* Unescapes a character that was found in a double-quoted string.
*
* @param string $value An escaped character
*
* @return string The unescaped character
*/
private function unescapeCharacter($value)
{
switch ($value[1]) {
case '0':
return "\x0";
case 'a':
return "\x7";
case 'b':
return "\x8";
case 't':
return "\t";
case "\t":
return "\t";
case 'n':
return "\n";
case 'v':
return "\xB";
case 'f':
return "\xC";
case 'r':
return "\r";
case 'e':
return "\x1B";
case ' ':
return ' ';
case '"':
return '"';
case '/':
return '/';
case '\\':
return '\\';
case 'N':
// U+0085 NEXT LINE
return "\xC2\x85";
case '_':
// U+00A0 NO-BREAK SPACE
return "\xC2\xA0";
case 'L':
// U+2028 LINE SEPARATOR
return "\xE2\x80\xA8";
case 'P':
// U+2029 PARAGRAPH SEPARATOR
return "\xE2\x80\xA9";
case 'x':
return self::utf8chr(hexdec(substr($value, 2, 2)));
case 'u':
return self::utf8chr(hexdec(substr($value, 2, 4)));
case 'U':
return self::utf8chr(hexdec(substr($value, 2, 8)));
default:
throw new ParseException(sprintf('Found unknown escape character "%s".', $value));
}
}
/**
* Get the UTF-8 character for the given code point.
*
* @param int $c The unicode code point
*
* @return string The corresponding UTF-8 character
*/
private static function utf8chr($c)
{
if (0x80 > $c %= 0x200000) {
return \chr($c);
}
if (0x800 > $c) {
return \chr(0xC0 | $c >> 6).\chr(0x80 | $c & 0x3F);
}
if (0x10000 > $c) {
return \chr(0xE0 | $c >> 12).\chr(0x80 | $c >> 6 & 0x3F).\chr(0x80 | $c & 0x3F);
}
return \chr(0xF0 | $c >> 18).\chr(0x80 | $c >> 12 & 0x3F).\chr(0x80 | $c >> 6 & 0x3F).\chr(0x80 | $c & 0x3F);
}
}
yaml/LICENSE 0000644 00000002051 14716422132 0006513 0 ustar 00 Copyright (c) 2004-2020 Fabien Potencier
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is furnished
to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
yaml/Yaml.php 0000644 00000011522 14716422132 0007124 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml;
use Symfony\Component\Yaml\Exception\ParseException;
/**
* Yaml offers convenience methods to load and dump YAML.
*
* @author Fabien Potencier
*
* @final since version 3.4
*/
class Yaml
{
const DUMP_OBJECT = 1;
const PARSE_EXCEPTION_ON_INVALID_TYPE = 2;
const PARSE_OBJECT = 4;
const PARSE_OBJECT_FOR_MAP = 8;
const DUMP_EXCEPTION_ON_INVALID_TYPE = 16;
const PARSE_DATETIME = 32;
const DUMP_OBJECT_AS_MAP = 64;
const DUMP_MULTI_LINE_LITERAL_BLOCK = 128;
const PARSE_CONSTANT = 256;
const PARSE_CUSTOM_TAGS = 512;
const DUMP_EMPTY_ARRAY_AS_SEQUENCE = 1024;
/**
* @deprecated since version 3.4, to be removed in 4.0. Quote your evaluable keys instead.
*/
const PARSE_KEYS_AS_STRINGS = 2048;
/**
* Parses a YAML file into a PHP value.
*
* Usage:
*
* $array = Yaml::parseFile('config.yml');
* print_r($array);
*
* @param string $filename The path to the YAML file to be parsed
* @param int $flags A bit field of PARSE_* constants to customize the YAML parser behavior
*
* @return mixed The YAML converted to a PHP value
*
* @throws ParseException If the file could not be read or the YAML is not valid
*/
public static function parseFile($filename, $flags = 0)
{
$yaml = new Parser();
return $yaml->parseFile($filename, $flags);
}
/**
* Parses YAML into a PHP value.
*
* Usage:
*
* $array = Yaml::parse(file_get_contents('config.yml'));
* print_r($array);
*
*
* @param string $input A string containing YAML
* @param int $flags A bit field of PARSE_* constants to customize the YAML parser behavior
*
* @return mixed The YAML converted to a PHP value
*
* @throws ParseException If the YAML is not valid
*/
public static function parse($input, $flags = 0)
{
if (\is_bool($flags)) {
@trigger_error('Passing a boolean flag to toggle exception handling is deprecated since Symfony 3.1 and will be removed in 4.0. Use the PARSE_EXCEPTION_ON_INVALID_TYPE flag instead.', E_USER_DEPRECATED);
if ($flags) {
$flags = self::PARSE_EXCEPTION_ON_INVALID_TYPE;
} else {
$flags = 0;
}
}
if (\func_num_args() >= 3) {
@trigger_error('Passing a boolean flag to toggle object support is deprecated since Symfony 3.1 and will be removed in 4.0. Use the PARSE_OBJECT flag instead.', E_USER_DEPRECATED);
if (func_get_arg(2)) {
$flags |= self::PARSE_OBJECT;
}
}
if (\func_num_args() >= 4) {
@trigger_error('Passing a boolean flag to toggle object for map support is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::PARSE_OBJECT_FOR_MAP flag instead.', E_USER_DEPRECATED);
if (func_get_arg(3)) {
$flags |= self::PARSE_OBJECT_FOR_MAP;
}
}
$yaml = new Parser();
return $yaml->parse($input, $flags);
}
/**
* Dumps a PHP value to a YAML string.
*
* The dump method, when supplied with an array, will do its best
* to convert the array into friendly YAML.
*
* @param mixed $input The PHP value
* @param int $inline The level where you switch to inline YAML
* @param int $indent The amount of spaces to use for indentation of nested nodes
* @param int $flags A bit field of DUMP_* constants to customize the dumped YAML string
*
* @return string A YAML string representing the original PHP value
*/
public static function dump($input, $inline = 2, $indent = 4, $flags = 0)
{
if (\is_bool($flags)) {
@trigger_error('Passing a boolean flag to toggle exception handling is deprecated since Symfony 3.1 and will be removed in 4.0. Use the DUMP_EXCEPTION_ON_INVALID_TYPE flag instead.', E_USER_DEPRECATED);
if ($flags) {
$flags = self::DUMP_EXCEPTION_ON_INVALID_TYPE;
} else {
$flags = 0;
}
}
if (\func_num_args() >= 5) {
@trigger_error('Passing a boolean flag to toggle object support is deprecated since Symfony 3.1 and will be removed in 4.0. Use the DUMP_OBJECT flag instead.', E_USER_DEPRECATED);
if (func_get_arg(4)) {
$flags |= self::DUMP_OBJECT;
}
}
$yaml = new Dumper($indent);
return $yaml->dump($input, $inline, 0, $flags);
}
}
yaml/Tests/DumperTest.php 0000644 00000043762 14716422132 0011433 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Yaml\Dumper;
use Symfony\Component\Yaml\Parser;
use Symfony\Component\Yaml\Tag\TaggedValue;
use Symfony\Component\Yaml\Yaml;
class DumperTest extends TestCase
{
protected $parser;
protected $dumper;
protected $path;
protected $array = [
'' => 'bar',
'foo' => '#bar',
'foo\'bar' => [],
'bar' => [1, 'foo'],
'foobar' => [
'foo' => 'bar',
'bar' => [1, 'foo'],
'foobar' => [
'foo' => 'bar',
'bar' => [1, 'foo'],
],
],
];
protected function setUp()
{
$this->parser = new Parser();
$this->dumper = new Dumper();
$this->path = __DIR__.'/Fixtures';
}
protected function tearDown()
{
$this->parser = null;
$this->dumper = null;
$this->path = null;
$this->array = null;
}
public function testIndentationInConstructor()
{
$dumper = new Dumper(7);
$expected = <<<'EOF'
'': bar
foo: '#bar'
'foo''bar': { }
bar:
- 1
- foo
foobar:
foo: bar
bar:
- 1
- foo
foobar:
foo: bar
bar:
- 1
- foo
EOF;
$this->assertEquals($expected, $dumper->dump($this->array, 4, 0));
}
/**
* @group legacy
*/
public function testSetIndentation()
{
$this->dumper->setIndentation(7);
$expected = <<<'EOF'
'': bar
foo: '#bar'
'foo''bar': { }
bar:
- 1
- foo
foobar:
foo: bar
bar:
- 1
- foo
foobar:
foo: bar
bar:
- 1
- foo
EOF;
$this->assertEquals($expected, $this->dumper->dump($this->array, 4, 0));
}
public function testSpecifications()
{
$files = $this->parser->parse(file_get_contents($this->path.'/index.yml'));
foreach ($files as $file) {
$yamls = file_get_contents($this->path.'/'.$file.'.yml');
// split YAMLs documents
foreach (preg_split('/^---( %YAML\:1\.0)?/m', $yamls) as $yaml) {
if (!$yaml) {
continue;
}
$test = $this->parser->parse($yaml);
if (isset($test['dump_skip']) && $test['dump_skip']) {
continue;
} elseif (isset($test['todo']) && $test['todo']) {
// TODO
} else {
eval('$expected = '.trim($test['php']).';');
$this->assertSame($expected, $this->parser->parse($this->dumper->dump($expected, 10)), $test['test']);
}
}
}
}
public function testInlineLevel()
{
$expected = <<<'EOF'
{ '': bar, foo: '#bar', 'foo''bar': { }, bar: [1, foo], foobar: { foo: bar, bar: [1, foo], foobar: { foo: bar, bar: [1, foo] } } }
EOF;
$this->assertEquals($expected, $this->dumper->dump($this->array, -10), '->dump() takes an inline level argument');
$this->assertEquals($expected, $this->dumper->dump($this->array, 0), '->dump() takes an inline level argument');
$expected = <<<'EOF'
'': bar
foo: '#bar'
'foo''bar': { }
bar: [1, foo]
foobar: { foo: bar, bar: [1, foo], foobar: { foo: bar, bar: [1, foo] } }
EOF;
$this->assertEquals($expected, $this->dumper->dump($this->array, 1), '->dump() takes an inline level argument');
$expected = <<<'EOF'
'': bar
foo: '#bar'
'foo''bar': { }
bar:
- 1
- foo
foobar:
foo: bar
bar: [1, foo]
foobar: { foo: bar, bar: [1, foo] }
EOF;
$this->assertEquals($expected, $this->dumper->dump($this->array, 2), '->dump() takes an inline level argument');
$expected = <<<'EOF'
'': bar
foo: '#bar'
'foo''bar': { }
bar:
- 1
- foo
foobar:
foo: bar
bar:
- 1
- foo
foobar:
foo: bar
bar: [1, foo]
EOF;
$this->assertEquals($expected, $this->dumper->dump($this->array, 3), '->dump() takes an inline level argument');
$expected = <<<'EOF'
'': bar
foo: '#bar'
'foo''bar': { }
bar:
- 1
- foo
foobar:
foo: bar
bar:
- 1
- foo
foobar:
foo: bar
bar:
- 1
- foo
EOF;
$this->assertEquals($expected, $this->dumper->dump($this->array, 4), '->dump() takes an inline level argument');
$this->assertEquals($expected, $this->dumper->dump($this->array, 10), '->dump() takes an inline level argument');
}
public function testObjectSupportEnabled()
{
$dump = $this->dumper->dump(['foo' => new A(), 'bar' => 1], 0, 0, Yaml::DUMP_OBJECT);
$this->assertEquals('{ foo: !php/object \'O:30:"Symfony\Component\Yaml\Tests\A":1:{s:1:"a";s:3:"foo";}\', bar: 1 }', $dump, '->dump() is able to dump objects');
}
/**
* @group legacy
*/
public function testObjectSupportEnabledPassingTrue()
{
$dump = $this->dumper->dump(['foo' => new A(), 'bar' => 1], 0, 0, false, true);
$this->assertEquals('{ foo: !php/object \'O:30:"Symfony\Component\Yaml\Tests\A":1:{s:1:"a";s:3:"foo";}\', bar: 1 }', $dump, '->dump() is able to dump objects');
}
public function testObjectSupportDisabledButNoExceptions()
{
$dump = $this->dumper->dump(['foo' => new A(), 'bar' => 1]);
$this->assertEquals('{ foo: null, bar: 1 }', $dump, '->dump() does not dump objects when disabled');
}
public function testObjectSupportDisabledWithExceptions()
{
$this->expectException('Symfony\Component\Yaml\Exception\DumpException');
$this->dumper->dump(['foo' => new A(), 'bar' => 1], 0, 0, Yaml::DUMP_EXCEPTION_ON_INVALID_TYPE);
}
/**
* @group legacy
*/
public function testObjectSupportDisabledWithExceptionsPassingTrue()
{
$this->expectException('Symfony\Component\Yaml\Exception\DumpException');
$this->dumper->dump(['foo' => new A(), 'bar' => 1], 0, 0, true);
}
public function testEmptyArray()
{
$dump = $this->dumper->dump([]);
$this->assertEquals('{ }', $dump);
$dump = $this->dumper->dump([], 0, 0, Yaml::DUMP_EMPTY_ARRAY_AS_SEQUENCE);
$this->assertEquals('[]', $dump);
$dump = $this->dumper->dump([], 9, 0, Yaml::DUMP_EMPTY_ARRAY_AS_SEQUENCE);
$this->assertEquals('[]', $dump);
$dump = $this->dumper->dump(new \ArrayObject(), 0, 0, Yaml::DUMP_EMPTY_ARRAY_AS_SEQUENCE | Yaml::DUMP_OBJECT_AS_MAP);
$this->assertEquals('{ }', $dump);
$dump = $this->dumper->dump(new \stdClass(), 0, 0, Yaml::DUMP_EMPTY_ARRAY_AS_SEQUENCE | Yaml::DUMP_OBJECT_AS_MAP);
$this->assertEquals('{ }', $dump);
}
/**
* @dataProvider getEscapeSequences
*/
public function testEscapedEscapeSequencesInQuotedScalar($input, $expected)
{
$this->assertEquals($expected, $this->dumper->dump($input));
}
public function getEscapeSequences()
{
return [
'empty string' => ['', "''"],
'null' => ["\x0", '"\\0"'],
'bell' => ["\x7", '"\\a"'],
'backspace' => ["\x8", '"\\b"'],
'horizontal-tab' => ["\t", '"\\t"'],
'line-feed' => ["\n", '"\\n"'],
'vertical-tab' => ["\v", '"\\v"'],
'form-feed' => ["\xC", '"\\f"'],
'carriage-return' => ["\r", '"\\r"'],
'escape' => ["\x1B", '"\\e"'],
'space' => [' ', "' '"],
'double-quote' => ['"', "'\"'"],
'slash' => ['/', '/'],
'backslash' => ['\\', '\\'],
'del' => ["\x7f", '"\x7f"'],
'next-line' => ["\xC2\x85", '"\\N"'],
'non-breaking-space' => ["\xc2\xa0", '"\\_"'],
'line-separator' => ["\xE2\x80\xA8", '"\\L"'],
'paragraph-separator' => ["\xE2\x80\xA9", '"\\P"'],
'colon' => [':', "':'"],
];
}
public function testBinaryDataIsDumpedBase64Encoded()
{
$binaryData = file_get_contents(__DIR__.'/Fixtures/arrow.gif');
$expected = '{ data: !!binary '.base64_encode($binaryData).' }';
$this->assertSame($expected, $this->dumper->dump(['data' => $binaryData]));
}
public function testNonUtf8DataIsDumpedBase64Encoded()
{
// "für" (ISO-8859-1 encoded)
$this->assertSame('!!binary ZsM/cg==', $this->dumper->dump("f\xc3\x3fr"));
}
/**
* @dataProvider objectAsMapProvider
*/
public function testDumpObjectAsMap($object, $expected)
{
$yaml = $this->dumper->dump($object, 0, 0, Yaml::DUMP_OBJECT_AS_MAP);
$this->assertEquals($expected, Yaml::parse($yaml, Yaml::PARSE_OBJECT_FOR_MAP));
}
public function objectAsMapProvider()
{
$tests = [];
$bar = new \stdClass();
$bar->class = 'classBar';
$bar->args = ['bar'];
$zar = new \stdClass();
$foo = new \stdClass();
$foo->bar = $bar;
$foo->zar = $zar;
$object = new \stdClass();
$object->foo = $foo;
$tests['stdClass'] = [$object, $object];
$arrayObject = new \ArrayObject();
$arrayObject['foo'] = 'bar';
$arrayObject['baz'] = 'foobar';
$parsedArrayObject = new \stdClass();
$parsedArrayObject->foo = 'bar';
$parsedArrayObject->baz = 'foobar';
$tests['ArrayObject'] = [$arrayObject, $parsedArrayObject];
$a = new A();
$tests['arbitrary-object'] = [$a, null];
return $tests;
}
public function testDumpingArrayObjectInstancesRespectsInlineLevel()
{
$deep = new \ArrayObject(['deep1' => 'd', 'deep2' => 'e']);
$inner = new \ArrayObject(['inner1' => 'b', 'inner2' => 'c', 'inner3' => $deep]);
$outer = new \ArrayObject(['outer1' => 'a', 'outer2' => $inner]);
$yaml = $this->dumper->dump($outer, 2, 0, Yaml::DUMP_OBJECT_AS_MAP);
$expected = <<assertSame($expected, $yaml);
}
public function testDumpingArrayObjectInstancesWithNumericKeysInlined()
{
$deep = new \ArrayObject(['d', 'e']);
$inner = new \ArrayObject(['b', 'c', $deep]);
$outer = new \ArrayObject(['a', $inner]);
$yaml = $this->dumper->dump($outer, 0, 0, Yaml::DUMP_OBJECT_AS_MAP);
$expected = <<assertSame($expected, $yaml);
}
public function testDumpingArrayObjectInstancesWithNumericKeysRespectsInlineLevel()
{
$deep = new \ArrayObject(['d', 'e']);
$inner = new \ArrayObject(['b', 'c', $deep]);
$outer = new \ArrayObject(['a', $inner]);
$yaml = $this->dumper->dump($outer, 2, 0, Yaml::DUMP_OBJECT_AS_MAP);
$expected = <<assertEquals($expected, $yaml);
}
public function testDumpEmptyArrayObjectInstanceAsMap()
{
$this->assertSame('{ }', $this->dumper->dump(new \ArrayObject(), 2, 0, Yaml::DUMP_OBJECT_AS_MAP));
}
public function testDumpEmptyStdClassInstanceAsMap()
{
$this->assertSame('{ }', $this->dumper->dump(new \stdClass(), 2, 0, Yaml::DUMP_OBJECT_AS_MAP));
}
public function testDumpingStdClassInstancesRespectsInlineLevel()
{
$deep = new \stdClass();
$deep->deep1 = 'd';
$deep->deep2 = 'e';
$inner = new \stdClass();
$inner->inner1 = 'b';
$inner->inner2 = 'c';
$inner->inner3 = $deep;
$outer = new \stdClass();
$outer->outer1 = 'a';
$outer->outer2 = $inner;
$yaml = $this->dumper->dump($outer, 2, 0, Yaml::DUMP_OBJECT_AS_MAP);
$expected = <<assertSame($expected, $yaml);
}
public function testDumpingTaggedValueSequenceRespectsInlineLevel()
{
$data = [
new TaggedValue('user', [
'username' => 'jane',
]),
new TaggedValue('user', [
'username' => 'john',
]),
];
$yaml = $this->dumper->dump($data, 2);
$expected = <<assertSame($expected, $yaml);
}
public function testDumpingTaggedValueSequenceWithInlinedTagValues()
{
$data = [
new TaggedValue('user', [
'username' => 'jane',
]),
new TaggedValue('user', [
'username' => 'john',
]),
];
$yaml = $this->dumper->dump($data, 1);
$expected = <<assertSame($expected, $yaml);
}
public function testDumpingTaggedValueMapRespectsInlineLevel()
{
$data = [
'user1' => new TaggedValue('user', [
'username' => 'jane',
]),
'user2' => new TaggedValue('user', [
'username' => 'john',
]),
];
$yaml = $this->dumper->dump($data, 2);
$expected = <<assertSame($expected, $yaml);
}
public function testDumpingTaggedValueMapWithInlinedTagValues()
{
$data = [
'user1' => new TaggedValue('user', [
'username' => 'jane',
]),
'user2' => new TaggedValue('user', [
'username' => 'john',
]),
];
$yaml = $this->dumper->dump($data, 1);
$expected = <<assertSame($expected, $yaml);
}
public function testDumpingNotInlinedScalarTaggedValue()
{
$data = [
'user1' => new TaggedValue('user', 'jane'),
'user2' => new TaggedValue('user', 'john'),
];
$expected = <<assertSame($expected, $this->dumper->dump($data, 2));
}
public function testDumpingNotInlinedNullTaggedValue()
{
$data = [
'foo' => new TaggedValue('bar', null),
];
$expected = <<assertSame($expected, $this->dumper->dump($data, 2));
}
public function testDumpingMultiLineStringAsScalarBlockTaggedValue()
{
$data = [
'foo' => new TaggedValue('bar', "foo\nline with trailing spaces:\n \nbar\ninteger like line:\n123456789\nempty line:\n\nbaz"),
];
$expected = <<assertSame($expected, $this->dumper->dump($data, 2, 0, Yaml::DUMP_MULTI_LINE_LITERAL_BLOCK));
}
public function testDumpingInlinedMultiLineIfRnBreakLineInTaggedValue()
{
$data = [
'data' => [
'foo' => new TaggedValue('bar', "foo\r\nline with trailing spaces:\n \nbar\ninteger like line:\n123456789\nempty line:\n\nbaz"),
],
];
$this->assertSame(file_get_contents(__DIR__.'/Fixtures/multiple_lines_as_literal_block_for_tagged_values.yml'), $this->dumper->dump($data, 2, 0, Yaml::DUMP_MULTI_LINE_LITERAL_BLOCK));
}
public function testDumpMultiLineStringAsScalarBlock()
{
$data = [
'data' => [
'single_line' => 'foo bar baz',
'multi_line' => "foo\nline with trailing spaces:\n \nbar\ninteger like line:\n123456789\nempty line:\n\nbaz",
'multi_line_with_carriage_return' => "foo\nbar\r\nbaz",
'nested_inlined_multi_line_string' => [
'inlined_multi_line' => "foo\nbar\r\nempty line:\n\nbaz",
],
],
];
$this->assertSame(file_get_contents(__DIR__.'/Fixtures/multiple_lines_as_literal_block.yml'), $this->dumper->dump($data, 2, 0, Yaml::DUMP_MULTI_LINE_LITERAL_BLOCK));
}
public function testDumpMultiLineStringAsScalarBlockWhenFirstLineHasLeadingSpace()
{
$data = [
'data' => [
'multi_line' => " the first line has leading spaces\nThe second line does not.",
],
];
$this->assertSame(file_get_contents(__DIR__.'/Fixtures/multiple_lines_as_literal_block_leading_space_in_first_line.yml'), $this->dumper->dump($data, 2, 0, Yaml::DUMP_MULTI_LINE_LITERAL_BLOCK));
}
public function testCarriageReturnFollowedByNewlineIsMaintainedWhenDumpingAsMultiLineLiteralBlock()
{
$this->assertSame("- \"a\\r\\nb\\nc\"\n", $this->dumper->dump(["a\r\nb\nc"], 2, 0, Yaml::DUMP_MULTI_LINE_LITERAL_BLOCK));
}
public function testCarriageReturnNotFollowedByNewlineIsPreservedWhenDumpingAsMultiLineLiteralBlock()
{
$expected = <<<'YAML'
parent:
foo: "bar\n\rbaz: qux"
YAML;
$this->assertSame($expected, $this->dumper->dump([
'parent' => [
'foo' => "bar\n\rbaz: qux",
],
], 4, 0, Yaml::DUMP_MULTI_LINE_LITERAL_BLOCK));
}
public function testZeroIndentationThrowsException()
{
$this->expectException('InvalidArgumentException');
$this->expectExceptionMessage('The indentation must be greater than zero');
new Dumper(0);
}
public function testNegativeIndentationThrowsException()
{
$this->expectException('InvalidArgumentException');
$this->expectExceptionMessage('The indentation must be greater than zero');
new Dumper(-4);
}
}
class A
{
public $a = 'foo';
}
yaml/Tests/InlineTest.php 0000644 00000101076 14716422132 0011406 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Yaml\Exception\ParseException;
use Symfony\Component\Yaml\Inline;
use Symfony\Component\Yaml\Yaml;
class InlineTest extends TestCase
{
protected function setUp()
{
Inline::initialize(0, 0);
}
/**
* @dataProvider getTestsForParse
*/
public function testParse($yaml, $value, $flags = 0)
{
$this->assertSame($value, Inline::parse($yaml, $flags), sprintf('::parse() converts an inline YAML to a PHP structure (%s)', $yaml));
}
/**
* @dataProvider getTestsForParseWithMapObjects
*/
public function testParseWithMapObjects($yaml, $value, $flags = Yaml::PARSE_OBJECT_FOR_MAP)
{
$actual = Inline::parse($yaml, $flags);
$this->assertSame(serialize($value), serialize($actual));
}
/**
* @dataProvider getTestsForParsePhpConstants
*/
public function testParsePhpConstants($yaml, $value)
{
$actual = Inline::parse($yaml, Yaml::PARSE_CONSTANT);
$this->assertSame($value, $actual);
}
public function getTestsForParsePhpConstants()
{
return [
['!php/const Symfony\Component\Yaml\Yaml::PARSE_CONSTANT', Yaml::PARSE_CONSTANT],
['!php/const PHP_INT_MAX', PHP_INT_MAX],
['[!php/const PHP_INT_MAX]', [PHP_INT_MAX]],
['{ foo: !php/const PHP_INT_MAX }', ['foo' => PHP_INT_MAX]],
['{ !php/const PHP_INT_MAX: foo }', [PHP_INT_MAX => 'foo']],
['!php/const NULL', null],
];
}
public function testParsePhpConstantThrowsExceptionWhenUndefined()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('The constant "WRONG_CONSTANT" is not defined');
Inline::parse('!php/const WRONG_CONSTANT', Yaml::PARSE_CONSTANT);
}
public function testParsePhpConstantThrowsExceptionOnInvalidType()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessageRegExp('#The string "!php/const PHP_INT_MAX" could not be parsed as a constant.*#');
Inline::parse('!php/const PHP_INT_MAX', Yaml::PARSE_EXCEPTION_ON_INVALID_TYPE);
}
/**
* @group legacy
* @expectedDeprecation The !php/const: tag to indicate dumped PHP constants is deprecated since Symfony 3.4 and will be removed in 4.0. Use the !php/const (without the colon) tag instead on line 1.
* @dataProvider getTestsForParseLegacyPhpConstants
*/
public function testDeprecatedConstantTag($yaml, $expectedValue)
{
$this->assertSame($expectedValue, Inline::parse($yaml, Yaml::PARSE_CONSTANT));
}
public function getTestsForParseLegacyPhpConstants()
{
return [
['!php/const:Symfony\Component\Yaml\Yaml::PARSE_CONSTANT', Yaml::PARSE_CONSTANT],
['!php/const:PHP_INT_MAX', PHP_INT_MAX],
['[!php/const:PHP_INT_MAX]', [PHP_INT_MAX]],
['{ foo: !php/const:PHP_INT_MAX }', ['foo' => PHP_INT_MAX]],
['{ !php/const:PHP_INT_MAX: foo }', [PHP_INT_MAX => 'foo']],
['!php/const:NULL', null],
];
}
/**
* @group legacy
* @dataProvider getTestsForParseWithMapObjects
*/
public function testParseWithMapObjectsPassingTrue($yaml, $value)
{
$actual = Inline::parse($yaml, false, false, true);
$this->assertSame(serialize($value), serialize($actual));
}
/**
* @dataProvider getTestsForDump
*/
public function testDump($yaml, $value, $parseFlags = 0)
{
$this->assertEquals($yaml, Inline::dump($value), sprintf('::dump() converts a PHP structure to an inline YAML (%s)', $yaml));
$this->assertSame($value, Inline::parse(Inline::dump($value), $parseFlags), 'check consistency');
}
public function testDumpNumericValueWithLocale()
{
$locale = setlocale(LC_NUMERIC, 0);
if (false === $locale) {
$this->markTestSkipped('Your platform does not support locales.');
}
try {
$requiredLocales = ['fr_FR.UTF-8', 'fr_FR.UTF8', 'fr_FR.utf-8', 'fr_FR.utf8', 'French_France.1252'];
if (false === setlocale(LC_NUMERIC, $requiredLocales)) {
$this->markTestSkipped('Could not set any of required locales: '.implode(', ', $requiredLocales));
}
$this->assertEquals('1.2', Inline::dump(1.2));
$this->assertStringContainsStringIgnoringCase('fr', setlocale(LC_NUMERIC, 0));
} finally {
setlocale(LC_NUMERIC, $locale);
}
}
public function testHashStringsResemblingExponentialNumericsShouldNotBeChangedToINF()
{
$value = '686e444';
$this->assertSame($value, Inline::parse(Inline::dump($value)));
}
public function testParseScalarWithNonEscapedBlackslashShouldThrowException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('Found unknown escape character "\V".');
Inline::parse('"Foo\Var"');
}
public function testParseScalarWithNonEscapedBlackslashAtTheEndShouldThrowException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
Inline::parse('"Foo\\"');
}
public function testParseScalarWithIncorrectlyQuotedStringShouldThrowException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$value = "'don't do somthin' like that'";
Inline::parse($value);
}
public function testParseScalarWithIncorrectlyDoubleQuotedStringShouldThrowException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$value = '"don"t do somthin" like that"';
Inline::parse($value);
}
public function testParseInvalidMappingKeyShouldThrowException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$value = '{ "foo " bar": "bar" }';
Inline::parse($value);
}
/**
* @group legacy
* @expectedDeprecation Using a colon after an unquoted mapping key that is not followed by an indication character (i.e. " ", ",", "[", "]", "{", "}") is deprecated since Symfony 3.2 and will throw a ParseException in 4.0 on line 1.
* throws \Symfony\Component\Yaml\Exception\ParseException in 4.0
*/
public function testParseMappingKeyWithColonNotFollowedBySpace()
{
Inline::parse('{1:""}');
}
public function testParseInvalidMappingShouldThrowException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
Inline::parse('[foo] bar');
}
public function testParseInvalidSequenceShouldThrowException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
Inline::parse('{ foo: bar } bar');
}
public function testParseInvalidTaggedSequenceShouldThrowException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
Inline::parse('!foo { bar: baz } qux', Yaml::PARSE_CUSTOM_TAGS);
}
public function testParseScalarWithCorrectlyQuotedStringShouldReturnString()
{
$value = "'don''t do somthin'' like that'";
$expect = "don't do somthin' like that";
$this->assertSame($expect, Inline::parseScalar($value));
}
/**
* @dataProvider getDataForParseReferences
*/
public function testParseReferences($yaml, $expected)
{
$this->assertSame($expected, Inline::parse($yaml, 0, ['var' => 'var-value']));
}
/**
* @group legacy
* @dataProvider getDataForParseReferences
*/
public function testParseReferencesAsFifthArgument($yaml, $expected)
{
$this->assertSame($expected, Inline::parse($yaml, false, false, false, ['var' => 'var-value']));
}
public function getDataForParseReferences()
{
return [
'scalar' => ['*var', 'var-value'],
'list' => ['[ *var ]', ['var-value']],
'list-in-list' => ['[[ *var ]]', [['var-value']]],
'map-in-list' => ['[ { key: *var } ]', [['key' => 'var-value']]],
'embedded-mapping-in-list' => ['[ key: *var ]', [['key' => 'var-value']]],
'map' => ['{ key: *var }', ['key' => 'var-value']],
'list-in-map' => ['{ key: [*var] }', ['key' => ['var-value']]],
'map-in-map' => ['{ foo: { bar: *var } }', ['foo' => ['bar' => 'var-value']]],
];
}
public function testParseMapReferenceInSequence()
{
$foo = [
'a' => 'Steve',
'b' => 'Clark',
'c' => 'Brian',
];
$this->assertSame([$foo], Inline::parse('[*foo]', 0, ['foo' => $foo]));
}
/**
* @group legacy
*/
public function testParseMapReferenceInSequenceAsFifthArgument()
{
$foo = [
'a' => 'Steve',
'b' => 'Clark',
'c' => 'Brian',
];
$this->assertSame([$foo], Inline::parse('[*foo]', false, false, false, ['foo' => $foo]));
}
public function testParseUnquotedAsterisk()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('A reference must contain at least one character at line 1.');
Inline::parse('{ foo: * }');
}
public function testParseUnquotedAsteriskFollowedByAComment()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('A reference must contain at least one character at line 1.');
Inline::parse('{ foo: * #foo }');
}
/**
* @dataProvider getReservedIndicators
*/
public function testParseUnquotedScalarStartingWithReservedIndicator($indicator)
{
$this->expectException(ParseException::class);
$this->expectExceptionMessage(sprintf('cannot start a plain scalar; you need to quote the scalar at line 1 (near "%sfoo ").', $indicator));
Inline::parse(sprintf('{ foo: %sfoo }', $indicator));
}
public function getReservedIndicators()
{
return [['@'], ['`']];
}
/**
* @dataProvider getScalarIndicators
*/
public function testParseUnquotedScalarStartingWithScalarIndicator($indicator)
{
$this->expectException(ParseException::class);
$this->expectExceptionMessage(sprintf('cannot start a plain scalar; you need to quote the scalar at line 1 (near "%sfoo ").', $indicator));
Inline::parse(sprintf('{ foo: %sfoo }', $indicator));
}
public function getScalarIndicators()
{
return [['|'], ['>']];
}
/**
* @group legacy
* @expectedDeprecation Not quoting the scalar "%bar " starting with the "%" indicator character is deprecated since Symfony 3.1 and will throw a ParseException in 4.0 on line 1.
* throws \Symfony\Component\Yaml\Exception\ParseException in 4.0
*/
public function testParseUnquotedScalarStartingWithPercentCharacter()
{
Inline::parse('{ foo: %bar }');
}
/**
* @dataProvider getDataForIsHash
*/
public function testIsHash($array, $expected)
{
$this->assertSame($expected, Inline::isHash($array));
}
public function getDataForIsHash()
{
return [
[[], false],
[[1, 2, 3], false],
[[2 => 1, 1 => 2, 0 => 3], true],
[['foo' => 1, 'bar' => 2], true],
];
}
public function getTestsForParse()
{
return [
['', ''],
['null', null],
['false', false],
['true', true],
['12', 12],
['-12', -12],
['1_2', 12],
['_12', '_12'],
['12_', 12],
['"quoted string"', 'quoted string'],
["'quoted string'", 'quoted string'],
['12.30e+02', 12.30e+02],
['123.45_67', 123.4567],
['0x4D2', 0x4D2],
['0x_4_D_2_', 0x4D2],
['02333', 02333],
['0_2_3_3_3', 02333],
['.Inf', -log(0)],
['-.Inf', log(0)],
["'686e444'", '686e444'],
['686e444', 646e444],
['123456789123456789123456789123456789', '123456789123456789123456789123456789'],
['"foo\r\nbar"', "foo\r\nbar"],
["'foo#bar'", 'foo#bar'],
["'foo # bar'", 'foo # bar'],
["'#cfcfcf'", '#cfcfcf'],
['::form_base.html.twig', '::form_base.html.twig'],
// Pre-YAML-1.2 booleans
["'y'", 'y'],
["'n'", 'n'],
["'yes'", 'yes'],
["'no'", 'no'],
["'on'", 'on'],
["'off'", 'off'],
['2007-10-30', gmmktime(0, 0, 0, 10, 30, 2007)],
['2007-10-30T02:59:43Z', gmmktime(2, 59, 43, 10, 30, 2007)],
['2007-10-30 02:59:43 Z', gmmktime(2, 59, 43, 10, 30, 2007)],
['1960-10-30 02:59:43 Z', gmmktime(2, 59, 43, 10, 30, 1960)],
['1730-10-30T02:59:43Z', gmmktime(2, 59, 43, 10, 30, 1730)],
['"a \\"string\\" with \'quoted strings inside\'"', 'a "string" with \'quoted strings inside\''],
["'a \"string\" with ''quoted strings inside'''", 'a "string" with \'quoted strings inside\''],
// sequences
// urls are no key value mapping. see #3609. Valid yaml "key: value" mappings require a space after the colon
['[foo, http://urls.are/no/mappings, false, null, 12]', ['foo', 'http://urls.are/no/mappings', false, null, 12]],
['[ foo , bar , false , null , 12 ]', ['foo', 'bar', false, null, 12]],
['[\'foo,bar\', \'foo bar\']', ['foo,bar', 'foo bar']],
// mappings
['{foo: bar,bar: foo,"false": false, "null": null,integer: 12}', ['foo' => 'bar', 'bar' => 'foo', 'false' => false, 'null' => null, 'integer' => 12]],
['{ foo : bar, bar : foo, "false" : false, "null" : null, integer : 12 }', ['foo' => 'bar', 'bar' => 'foo', 'false' => false, 'null' => null, 'integer' => 12]],
['{foo: \'bar\', bar: \'foo: bar\'}', ['foo' => 'bar', 'bar' => 'foo: bar']],
['{\'foo\': \'bar\', "bar": \'foo: bar\'}', ['foo' => 'bar', 'bar' => 'foo: bar']],
['{\'foo\'\'\': \'bar\', "bar\"": \'foo: bar\'}', ['foo\'' => 'bar', 'bar"' => 'foo: bar']],
['{\'foo: \': \'bar\', "bar: ": \'foo: bar\'}', ['foo: ' => 'bar', 'bar: ' => 'foo: bar']],
['{"foo:bar": "baz"}', ['foo:bar' => 'baz']],
['{"foo":"bar"}', ['foo' => 'bar']],
// nested sequences and mappings
['[foo, [bar, foo]]', ['foo', ['bar', 'foo']]],
['[foo, {bar: foo}]', ['foo', ['bar' => 'foo']]],
['{ foo: {bar: foo} }', ['foo' => ['bar' => 'foo']]],
['{ foo: [bar, foo] }', ['foo' => ['bar', 'foo']]],
['{ foo:{bar: foo} }', ['foo' => ['bar' => 'foo']]],
['{ foo:[bar, foo] }', ['foo' => ['bar', 'foo']]],
['[ foo, [ bar, foo ] ]', ['foo', ['bar', 'foo']]],
['[{ foo: {bar: foo} }]', [['foo' => ['bar' => 'foo']]]],
['[foo, [bar, [foo, [bar, foo]], foo]]', ['foo', ['bar', ['foo', ['bar', 'foo']], 'foo']]],
['[foo, {bar: foo, foo: [foo, {bar: foo}]}, [foo, {bar: foo}]]', ['foo', ['bar' => 'foo', 'foo' => ['foo', ['bar' => 'foo']]], ['foo', ['bar' => 'foo']]]],
['[foo, bar: { foo: bar }]', ['foo', '1' => ['bar' => ['foo' => 'bar']]]],
['[foo, \'@foo.baz\', { \'%foo%\': \'foo is %foo%\', bar: \'%foo%\' }, true, \'@service_container\']', ['foo', '@foo.baz', ['%foo%' => 'foo is %foo%', 'bar' => '%foo%'], true, '@service_container']],
];
}
public function getTestsForParseWithMapObjects()
{
return [
['', ''],
['null', null],
['false', false],
['true', true],
['12', 12],
['-12', -12],
['"quoted string"', 'quoted string'],
["'quoted string'", 'quoted string'],
['12.30e+02', 12.30e+02],
['0x4D2', 0x4D2],
['02333', 02333],
['.Inf', -log(0)],
['-.Inf', log(0)],
["'686e444'", '686e444'],
['686e444', 646e444],
['123456789123456789123456789123456789', '123456789123456789123456789123456789'],
['"foo\r\nbar"', "foo\r\nbar"],
["'foo#bar'", 'foo#bar'],
["'foo # bar'", 'foo # bar'],
["'#cfcfcf'", '#cfcfcf'],
['::form_base.html.twig', '::form_base.html.twig'],
['2007-10-30', gmmktime(0, 0, 0, 10, 30, 2007)],
['2007-10-30T02:59:43Z', gmmktime(2, 59, 43, 10, 30, 2007)],
['2007-10-30 02:59:43 Z', gmmktime(2, 59, 43, 10, 30, 2007)],
['1960-10-30 02:59:43 Z', gmmktime(2, 59, 43, 10, 30, 1960)],
['1730-10-30T02:59:43Z', gmmktime(2, 59, 43, 10, 30, 1730)],
['"a \\"string\\" with \'quoted strings inside\'"', 'a "string" with \'quoted strings inside\''],
["'a \"string\" with ''quoted strings inside'''", 'a "string" with \'quoted strings inside\''],
// sequences
// urls are no key value mapping. see #3609. Valid yaml "key: value" mappings require a space after the colon
['[foo, http://urls.are/no/mappings, false, null, 12]', ['foo', 'http://urls.are/no/mappings', false, null, 12]],
['[ foo , bar , false , null , 12 ]', ['foo', 'bar', false, null, 12]],
['[\'foo,bar\', \'foo bar\']', ['foo,bar', 'foo bar']],
// mappings
['{foo: bar,bar: foo,"false": false,"null": null,integer: 12}', (object) ['foo' => 'bar', 'bar' => 'foo', 'false' => false, 'null' => null, 'integer' => 12], Yaml::PARSE_OBJECT_FOR_MAP],
['{ foo : bar, bar : foo, "false" : false, "null" : null, integer : 12 }', (object) ['foo' => 'bar', 'bar' => 'foo', 'false' => false, 'null' => null, 'integer' => 12], Yaml::PARSE_OBJECT_FOR_MAP],
['{foo: \'bar\', bar: \'foo: bar\'}', (object) ['foo' => 'bar', 'bar' => 'foo: bar']],
['{\'foo\': \'bar\', "bar": \'foo: bar\'}', (object) ['foo' => 'bar', 'bar' => 'foo: bar']],
['{\'foo\'\'\': \'bar\', "bar\"": \'foo: bar\'}', (object) ['foo\'' => 'bar', 'bar"' => 'foo: bar']],
['{\'foo: \': \'bar\', "bar: ": \'foo: bar\'}', (object) ['foo: ' => 'bar', 'bar: ' => 'foo: bar']],
['{"foo:bar": "baz"}', (object) ['foo:bar' => 'baz']],
['{"foo":"bar"}', (object) ['foo' => 'bar']],
// nested sequences and mappings
['[foo, [bar, foo]]', ['foo', ['bar', 'foo']]],
['[foo, {bar: foo}]', ['foo', (object) ['bar' => 'foo']]],
['{ foo: {bar: foo} }', (object) ['foo' => (object) ['bar' => 'foo']]],
['{ foo: [bar, foo] }', (object) ['foo' => ['bar', 'foo']]],
['[ foo, [ bar, foo ] ]', ['foo', ['bar', 'foo']]],
['[{ foo: {bar: foo} }]', [(object) ['foo' => (object) ['bar' => 'foo']]]],
['[foo, [bar, [foo, [bar, foo]], foo]]', ['foo', ['bar', ['foo', ['bar', 'foo']], 'foo']]],
['[foo, {bar: foo, foo: [foo, {bar: foo}]}, [foo, {bar: foo}]]', ['foo', (object) ['bar' => 'foo', 'foo' => ['foo', (object) ['bar' => 'foo']]], ['foo', (object) ['bar' => 'foo']]]],
['[foo, bar: { foo: bar }]', ['foo', '1' => (object) ['bar' => (object) ['foo' => 'bar']]]],
['[foo, \'@foo.baz\', { \'%foo%\': \'foo is %foo%\', bar: \'%foo%\' }, true, \'@service_container\']', ['foo', '@foo.baz', (object) ['%foo%' => 'foo is %foo%', 'bar' => '%foo%'], true, '@service_container']],
['{}', new \stdClass()],
['{ foo : bar, bar : {} }', (object) ['foo' => 'bar', 'bar' => new \stdClass()]],
['{ foo : [], bar : {} }', (object) ['foo' => [], 'bar' => new \stdClass()]],
['{foo: \'bar\', bar: {} }', (object) ['foo' => 'bar', 'bar' => new \stdClass()]],
['{\'foo\': \'bar\', "bar": {}}', (object) ['foo' => 'bar', 'bar' => new \stdClass()]],
['{\'foo\': \'bar\', "bar": \'{}\'}', (object) ['foo' => 'bar', 'bar' => '{}']],
['[foo, [{}, {}]]', ['foo', [new \stdClass(), new \stdClass()]]],
['[foo, [[], {}]]', ['foo', [[], new \stdClass()]]],
['[foo, [[{}, {}], {}]]', ['foo', [[new \stdClass(), new \stdClass()], new \stdClass()]]],
['[foo, {bar: {}}]', ['foo', '1' => (object) ['bar' => new \stdClass()]]],
];
}
public function getTestsForDump()
{
return [
['null', null],
['false', false],
['true', true],
['12', 12],
["'1_2'", '1_2'],
['_12', '_12'],
["'12_'", '12_'],
["'quoted string'", 'quoted string'],
['!!float 1230', 12.30e+02],
['1234', 0x4D2],
['1243', 02333],
["'0x_4_D_2_'", '0x_4_D_2_'],
["'0_2_3_3_3'", '0_2_3_3_3'],
['.Inf', -log(0)],
['-.Inf', log(0)],
["'686e444'", '686e444'],
['"foo\r\nbar"', "foo\r\nbar"],
["'foo#bar'", 'foo#bar'],
["'foo # bar'", 'foo # bar'],
["'#cfcfcf'", '#cfcfcf'],
["'a \"string\" with ''quoted strings inside'''", 'a "string" with \'quoted strings inside\''],
["'-dash'", '-dash'],
["'-'", '-'],
// Pre-YAML-1.2 booleans
["'y'", 'y'],
["'n'", 'n'],
["'yes'", 'yes'],
["'no'", 'no'],
["'on'", 'on'],
["'off'", 'off'],
// sequences
['[foo, bar, false, null, 12]', ['foo', 'bar', false, null, 12]],
['[\'foo,bar\', \'foo bar\']', ['foo,bar', 'foo bar']],
// mappings
['{ foo: bar, bar: foo, \'false\': false, \'null\': null, integer: 12 }', ['foo' => 'bar', 'bar' => 'foo', 'false' => false, 'null' => null, 'integer' => 12]],
['{ foo: bar, bar: \'foo: bar\' }', ['foo' => 'bar', 'bar' => 'foo: bar']],
// nested sequences and mappings
['[foo, [bar, foo]]', ['foo', ['bar', 'foo']]],
['[foo, [bar, [foo, [bar, foo]], foo]]', ['foo', ['bar', ['foo', ['bar', 'foo']], 'foo']]],
['{ foo: { bar: foo } }', ['foo' => ['bar' => 'foo']]],
['[foo, { bar: foo }]', ['foo', ['bar' => 'foo']]],
['[foo, { bar: foo, foo: [foo, { bar: foo }] }, [foo, { bar: foo }]]', ['foo', ['bar' => 'foo', 'foo' => ['foo', ['bar' => 'foo']]], ['foo', ['bar' => 'foo']]]],
['[foo, \'@foo.baz\', { \'%foo%\': \'foo is %foo%\', bar: \'%foo%\' }, true, \'@service_container\']', ['foo', '@foo.baz', ['%foo%' => 'foo is %foo%', 'bar' => '%foo%'], true, '@service_container']],
['{ foo: { bar: { 1: 2, baz: 3 } } }', ['foo' => ['bar' => [1 => 2, 'baz' => 3]]]],
];
}
/**
* @dataProvider getTimestampTests
*/
public function testParseTimestampAsUnixTimestampByDefault($yaml, $year, $month, $day, $hour, $minute, $second)
{
$this->assertSame(gmmktime($hour, $minute, $second, $month, $day, $year), Inline::parse($yaml));
}
/**
* @dataProvider getTimestampTests
*/
public function testParseTimestampAsDateTimeObject($yaml, $year, $month, $day, $hour, $minute, $second, $timezone)
{
$expected = new \DateTime($yaml);
$expected->setTimeZone(new \DateTimeZone('UTC'));
$expected->setDate($year, $month, $day);
if (\PHP_VERSION_ID >= 70100) {
$expected->setTime($hour, $minute, $second, 1000000 * ($second - (int) $second));
} else {
$expected->setTime($hour, $minute, $second);
}
$date = Inline::parse($yaml, Yaml::PARSE_DATETIME);
$this->assertEquals($expected, $date);
$this->assertSame($timezone, $date->format('O'));
}
public function getTimestampTests()
{
return [
'canonical' => ['2001-12-15T02:59:43.1Z', 2001, 12, 15, 2, 59, 43.1, '+0000'],
'ISO-8601' => ['2001-12-15t21:59:43.10-05:00', 2001, 12, 16, 2, 59, 43.1, '-0500'],
'spaced' => ['2001-12-15 21:59:43.10 -5', 2001, 12, 16, 2, 59, 43.1, '-0500'],
'date' => ['2001-12-15', 2001, 12, 15, 0, 0, 0, '+0000'],
];
}
/**
* @dataProvider getTimestampTests
*/
public function testParseNestedTimestampListAsDateTimeObject($yaml, $year, $month, $day, $hour, $minute, $second)
{
$expected = new \DateTime($yaml);
$expected->setTimeZone(new \DateTimeZone('UTC'));
$expected->setDate($year, $month, $day);
if (\PHP_VERSION_ID >= 70100) {
$expected->setTime($hour, $minute, $second, 1000000 * ($second - (int) $second));
} else {
$expected->setTime($hour, $minute, $second);
}
$expectedNested = ['nested' => [$expected]];
$yamlNested = "{nested: [$yaml]}";
$this->assertEquals($expectedNested, Inline::parse($yamlNested, Yaml::PARSE_DATETIME));
}
/**
* @dataProvider getDateTimeDumpTests
*/
public function testDumpDateTime($dateTime, $expected)
{
$this->assertSame($expected, Inline::dump($dateTime));
}
public function getDateTimeDumpTests()
{
$tests = [];
$dateTime = new \DateTime('2001-12-15 21:59:43', new \DateTimeZone('UTC'));
$tests['date-time-utc'] = [$dateTime, '2001-12-15T21:59:43+00:00'];
$dateTime = new \DateTimeImmutable('2001-07-15 21:59:43', new \DateTimeZone('Europe/Berlin'));
$tests['immutable-date-time-europe-berlin'] = [$dateTime, '2001-07-15T21:59:43+02:00'];
return $tests;
}
/**
* @dataProvider getBinaryData
*/
public function testParseBinaryData($data)
{
$this->assertSame('Hello world', Inline::parse($data));
}
public function getBinaryData()
{
return [
'enclosed with double quotes' => ['!!binary "SGVsbG8gd29ybGQ="'],
'enclosed with single quotes' => ["!!binary 'SGVsbG8gd29ybGQ='"],
'containing spaces' => ['!!binary "SGVs bG8gd 29ybGQ="'],
];
}
/**
* @dataProvider getInvalidBinaryData
*/
public function testParseInvalidBinaryData($data, $expectedMessage)
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessageRegExp($expectedMessage);
Inline::parse($data);
}
public function getInvalidBinaryData()
{
return [
'length not a multiple of four' => ['!!binary "SGVsbG8d29ybGQ="', '/The normalized base64 encoded data \(data without whitespace characters\) length must be a multiple of four \(\d+ bytes given\)/'],
'invalid characters' => ['!!binary "SGVsbG8#d29ybGQ="', '/The base64 encoded data \(.*\) contains invalid characters/'],
'too many equals characters' => ['!!binary "SGVsbG8gd29yb==="', '/The base64 encoded data \(.*\) contains invalid characters/'],
'misplaced equals character' => ['!!binary "SGVsbG8gd29ybG=Q"', '/The base64 encoded data \(.*\) contains invalid characters/'],
];
}
public function testNotSupportedMissingValue()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('Malformed inline YAML string: "{this, is not, supported}" at line 1.');
Inline::parse('{this, is not, supported}');
}
public function testVeryLongQuotedStrings()
{
$longStringWithQuotes = str_repeat("x\r\n\\\"x\"x", 1000);
$yamlString = Inline::dump(['longStringWithQuotes' => $longStringWithQuotes]);
$arrayFromYaml = Inline::parse($yamlString);
$this->assertEquals($longStringWithQuotes, $arrayFromYaml['longStringWithQuotes']);
}
/**
* @group legacy
* @expectedDeprecation Omitting the key of a mapping is deprecated and will throw a ParseException in 4.0 on line 1.
*/
public function testOmittedMappingKeyIsParsedAsColon()
{
$this->assertSame([':' => 'foo'], Inline::parse('{: foo}'));
}
/**
* @dataProvider getTestsForNullValues
*/
public function testParseMissingMappingValueAsNull($yaml, $expected)
{
$this->assertSame($expected, Inline::parse($yaml));
}
public function getTestsForNullValues()
{
return [
'null before closing curly brace' => ['{foo:}', ['foo' => null]],
'null before comma' => ['{foo:, bar: baz}', ['foo' => null, 'bar' => 'baz']],
];
}
public function testTheEmptyStringIsAValidMappingKey()
{
$this->assertSame(['' => 'foo'], Inline::parse('{ "": foo }'));
}
/**
* @group legacy
* @expectedDeprecation Implicit casting of incompatible mapping keys to strings is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0. Quote your evaluable mapping keys instead on line 1.
* @dataProvider getNotPhpCompatibleMappingKeyData
*/
public function testImplicitStringCastingOfMappingKeysIsDeprecated($yaml, $expected)
{
$this->assertSame($expected, Inline::parse($yaml));
}
/**
* @group legacy
* @expectedDeprecation Using the Yaml::PARSE_KEYS_AS_STRINGS flag is deprecated since Symfony 3.4 as it will be removed in 4.0. Quote your keys when they are evaluable instead.
* @expectedDeprecation Implicit casting of incompatible mapping keys to strings is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0. Quote your evaluable mapping keys instead on line 1.
* @dataProvider getNotPhpCompatibleMappingKeyData
*/
public function testExplicitStringCastingOfMappingKeys($yaml, $expected)
{
$this->assertSame($expected, Yaml::parse($yaml, Yaml::PARSE_KEYS_AS_STRINGS));
}
public function getNotPhpCompatibleMappingKeyData()
{
return [
'boolean-true' => ['{true: "foo"}', ['true' => 'foo']],
'boolean-false' => ['{false: "foo"}', ['false' => 'foo']],
'null' => ['{null: "foo"}', ['null' => 'foo']],
'float' => ['{0.25: "foo"}', ['0.25' => 'foo']],
];
}
/**
* @group legacy
* @expectedDeprecation Support for the !str tag is deprecated since Symfony 3.4. Use the !!str tag instead on line 1.
*/
public function testDeprecatedStrTag()
{
$this->assertSame(['foo' => 'bar'], Inline::parse('{ foo: !str bar }'));
}
public function testUnfinishedInlineMap()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('Unexpected end of line, expected one of ",}" at line 1 (near "{abc: \'def\'").');
Inline::parse("{abc: 'def'");
}
/**
* @dataProvider getTestsForOctalNumbers
*/
public function testParseOctalNumbers($expected, $yaml)
{
self::assertSame($expected, Inline::parse($yaml));
}
public function getTestsForOctalNumbers()
{
return [
'positive octal number' => [28, '034'],
'negative octal number' => [-28, '-034'],
];
}
/**
* @dataProvider phpObjectTagWithEmptyValueProvider
*/
public function testPhpObjectWithEmptyValue($expected, $value)
{
$this->assertSame($expected, Inline::parse($value, Yaml::PARSE_OBJECT));
}
public function phpObjectTagWithEmptyValueProvider()
{
return [
[false, '!php/object'],
[false, '!php/object '],
[false, '!php/object '],
[[false], '[!php/object]'],
[[false], '[!php/object ]'],
[[false, 'foo'], '[!php/object , foo]'],
];
}
/**
* @dataProvider phpConstTagWithEmptyValueProvider
*/
public function testPhpConstTagWithEmptyValue($expected, $value)
{
$this->assertSame($expected, Inline::parse($value, Yaml::PARSE_CONSTANT));
}
public function phpConstTagWithEmptyValueProvider()
{
return [
['', '!php/const'],
['', '!php/const '],
['', '!php/const '],
[[''], '[!php/const]'],
[[''], '[!php/const ]'],
[['', 'foo'], '[!php/const , foo]'],
[['' => 'foo'], '{!php/const: foo}'],
[['' => 'foo'], '{!php/const : foo}'],
[['' => 'foo', 'bar' => 'ccc'], '{!php/const : foo, bar: ccc}'],
];
}
}
yaml/Tests/Fixtures/not_readable.yml 0000644 00000000470 14716422132 0013566 0 ustar 00 - escapedCharacters
- sfComments
- sfCompact
- sfTests
- sfObjects
- sfMergeKey
- sfQuotes
- YtsAnchorAlias
- YtsBasicTests
- YtsBlockMapping
- YtsDocumentSeparator
- YtsErrorTests
- YtsFlowCollections
- YtsFoldedScalars
- YtsNullsAndEmpties
- YtsSpecificationExamples
- YtsTypeTransfers
- unindentedCollections
yaml/Tests/Fixtures/multiple_lines_as_literal_block_for_tagged_values.yml 0000644 00000000164 14716422132 0023305 0 ustar 00 data:
foo: !bar "foo\r\nline with trailing spaces:\n \nbar\ninteger like line:\n123456789\nempty line:\n\nbaz"
yaml/Tests/Fixtures/YtsErrorTests.yml 0000644 00000001154 14716422132 0013763 0 ustar 00 ---
test: Missing value for hash item
todo: true
brief: |
Third item in this hash doesn't have a value
yaml: |
okay: value
also okay: ~
causes error because no value specified
last key: value okay here too
python-error: causes error because no value specified
---
test: Not indenting enough
brief: |
There was a bug in PyYaml where it was off by one
in the indentation check. It was allowing the YAML
below.
# This is actually valid YAML now. Someone should tell showell.
yaml: |
foo:
firstline: 1
secondline: 2
php: |
['foo' => null, 'firstline' => 1, 'secondline' => 2]
yaml/Tests/Fixtures/numericMappingKeys.yml 0000644 00000000562 14716422132 0014763 0 ustar 00 --- %YAML:1.0
test: A sequence with an unordered array
brief: >
A sequence with an unordered array
yaml: |
1: foo
0: bar
php: |
[1 => 'foo', 0 => 'bar']
---
test: Integers as Map Keys
brief: >
An integer can be used as dictionary key.
yaml: |
1: one
2: two
3: three
php: |
[
1 => 'one',
2 => 'two',
3 => 'three'
]
yaml/Tests/Fixtures/sfTests.yml 0000644 00000004257 14716422132 0012611 0 ustar 00 --- %YAML:1.0
test: Multiple quoted string on one line
brief: >
Multiple quoted string on one line
yaml: |
stripped_title: { name: "foo bar", help: "bar foo" }
php: |
['stripped_title' => ['name' => 'foo bar', 'help' => 'bar foo']]
---
test: Empty sequence
yaml: |
foo: [ ]
php: |
['foo' => []]
---
test: Empty value
yaml: |
foo:
php: |
['foo' => null]
---
test: Inline string parsing
brief: >
Inline string parsing
yaml: |
test: ['complex: string', 'another [string]']
php: |
['test' => ['complex: string', 'another [string]']]
---
test: Boolean
brief: >
Boolean
yaml: |
- false
- true
- null
- ~
- 'false'
- 'true'
- 'null'
- '~'
php: |
[
false,
true,
null,
null,
'false',
'true',
'null',
'~',
]
---
test: Empty lines in literal blocks
brief: >
Empty lines in literal blocks
yaml: |
foo:
bar: |
foo
bar
php: |
['foo' => ['bar' => "foo\n\n\n \nbar\n"]]
---
test: Empty lines in folded blocks
brief: >
Empty lines in folded blocks
yaml: |
foo:
bar: >
foo
bar
php: |
['foo' => ['bar' => "\nfoo\n\nbar\n"]]
---
test: IP addresses
brief: >
IP addresses
yaml: |
foo: 10.0.0.2
php: |
['foo' => '10.0.0.2']
---
test: A sequence with an embedded mapping
brief: >
A sequence with an embedded mapping
yaml: |
- foo
- bar: { bar: foo }
php: |
['foo', ['bar' => ['bar' => 'foo']]]
---
test: Octal
brief: as in spec example 2.19, octal value is converted
yaml: |
foo: 0123
php: |
['foo' => 83]
---
test: Octal strings
brief: Octal notation in a string must remain a string
yaml: |
foo: "0123"
php: |
['foo' => '0123']
---
test: Octal strings
brief: Octal notation in a string must remain a string
yaml: |
foo: '0123'
php: |
['foo' => '0123']
---
test: Octal strings
brief: Octal notation in a string must remain a string
yaml: |
foo: |
0123
php: |
['foo' => "0123\n"]
---
test: Document as a simple hash
brief: Document as a simple hash
yaml: |
{ foo: bar }
php: |
['foo' => 'bar']
---
test: Document as a simple array
brief: Document as a simple array
yaml: |
[ foo, bar ]
php: |
['foo', 'bar']
yaml/Tests/Fixtures/booleanMappingKeys.yml 0000644 00000000212 14716422132 0014730 0 ustar 00 --- %YAML:1.0
test: Miscellaneous
spec: 2.21
yaml: |
true: true
false: false
php: |
[
'true' => true,
'false' => false,
]
yaml/Tests/Fixtures/YtsAnchorAlias.yml 0000644 00000001507 14716422132 0014035 0 ustar 00 --- %YAML:1.0
test: Simple Alias Example
brief: >
If you need to refer to the same item of data twice,
you can give that item an alias. The alias is a plain
string, starting with an ampersand. The item may then
be referred to by the alias throughout your document
by using an asterisk before the name of the alias.
This is called an anchor.
yaml: |
- &showell Steve
- Clark
- Brian
- Oren
- *showell
php: |
['Steve', 'Clark', 'Brian', 'Oren', 'Steve']
---
test: Alias of a Mapping
brief: >
An alias can be used on any item of data, including
sequences, mappings, and other complex data types.
yaml: |
- &hello
Meat: pork
Starch: potato
- banana
- *hello
php: |
[['Meat'=>'pork', 'Starch'=>'potato'], 'banana', ['Meat'=>'pork', 'Starch'=>'potato']]
yaml/Tests/Fixtures/sfQuotes.yml 0000644 00000001330 14716422132 0012754 0 ustar 00 --- %YAML:1.0
test: Some characters at the beginning of a string must be escaped
brief: >
Some characters at the beginning of a string must be escaped
yaml: |
foo: '| bar'
php: |
['foo' => '| bar']
---
test: A key can be a quoted string
brief: >
A key can be a quoted string
yaml: |
"foo1": bar
'foo2': bar
"foo \" bar": bar
'foo '' bar': bar
'foo3: ': bar
"foo4: ": bar
foo5: { "foo \" bar: ": bar, 'foo '' bar: ': bar }
php: |
[
'foo1' => 'bar',
'foo2' => 'bar',
'foo " bar' => 'bar',
'foo \' bar' => 'bar',
'foo3: ' => 'bar',
'foo4: ' => 'bar',
'foo5' => [
'foo " bar: ' => 'bar',
'foo \' bar: ' => 'bar',
],
]
yaml/Tests/Fixtures/multiple_lines_as_literal_block_leading_space_in_first_line.yml 0000644 00000000151 14716422132 0025303 0 ustar 00 data:
multi_line: |4
the first line has leading spaces
The second line does not.
yaml/Tests/Fixtures/YtsDocumentSeparator.yml 0000644 00000002754 14716422132 0015315 0 ustar 00 --- %YAML:1.0
test: Trailing Document Separator
todo: true
brief: >
You can separate YAML documents
with a string of three dashes.
yaml: |
- foo: 1
bar: 2
---
more: stuff
python: |
[
[ { 'foo': 1, 'bar': 2 } ],
{ 'more': 'stuff' }
]
ruby: |
[ { 'foo' => 1, 'bar' => 2 } ]
---
test: Leading Document Separator
todo: true
brief: >
You can explicitly give an opening
document separator to your YAML stream.
yaml: |
---
- foo: 1
bar: 2
---
more: stuff
python: |
[
[ {'foo': 1, 'bar': 2}],
{'more': 'stuff'}
]
ruby: |
[ { 'foo' => 1, 'bar' => 2 } ]
---
test: YAML Header
todo: true
brief: >
The opening separator can contain directives
to the YAML parser, such as the version
number.
yaml: |
--- %YAML:1.0
foo: 1
bar: 2
php: |
['foo' => 1, 'bar' => 2]
documents: 1
---
test: Red Herring Document Separator
brief: >
Separators included in blocks or strings
are treated as blocks or strings, as the
document separator should have no indentation
preceding it.
yaml: |
foo: |
---
php: |
['foo' => "---\n"]
---
test: Multiple Document Separators in Block
brief: >
This technique allows you to embed other YAML
documents within literal blocks.
yaml: |
foo: |
---
foo: bar
---
yo: baz
bar: |
fooness
php: |
[
'foo' => "---\nfoo: bar\n---\nyo: baz\n",
'bar' => "fooness\n"
]
yaml/Tests/Fixtures/YtsFlowCollections.yml 0000644 00000003053 14716422132 0014755 0 ustar 00 ---
test: Simple Inline Array
brief: >
Sequences can be contained on a
single line, using the inline syntax.
Separate each entry with commas and
enclose in square brackets.
yaml: |
seq: [ a, b, c ]
php: |
['seq' => ['a', 'b', 'c']]
---
test: Simple Inline Hash
brief: >
Mapping can also be contained on
a single line, using the inline
syntax. Each key-value pair is
separated by a colon, with a comma
between each entry in the mapping.
Enclose with curly braces.
yaml: |
hash: { name: Steve, foo: bar }
php: |
['hash' => ['name' => 'Steve', 'foo' => 'bar']]
---
test: Multi-line Inline Collections
todo: true
brief: >
Both inline sequences and inline mappings
can span multiple lines, provided that you
indent the additional lines.
yaml: |
languages: [ Ruby,
Perl,
Python ]
websites: { YAML: yaml.org,
Ruby: ruby-lang.org,
Python: python.org,
Perl: use.perl.org }
php: |
[
'languages' => ['Ruby', 'Perl', 'Python'],
'websites' => [
'YAML' => 'yaml.org',
'Ruby' => 'ruby-lang.org',
'Python' => 'python.org',
'Perl' => 'use.perl.org'
]
]
---
test: Commas in Values (not in the spec!)
todo: true
brief: >
List items in collections are delimited by commas, but
there must be a space after each comma. This allows you
to add numbers without quoting.
yaml: |
attendances: [ 45,123, 70,000, 17,222 ]
php: |
['attendances' => [45123, 70000, 17222]]
yaml/Tests/Fixtures/sfObjects.yml 0000644 00000000427 14716422132 0013073 0 ustar 00 --- %YAML:1.0
test: Objects
brief: >
Comments at the end of a line
yaml: |
ex1: "foo # bar"
ex2: "foo # bar" # comment
ex3: 'foo # bar' # comment
ex4: foo # comment
php: |
['ex1' => 'foo # bar', 'ex2' => 'foo # bar', 'ex3' => 'foo # bar', 'ex4' => 'foo']
yaml/Tests/Fixtures/sfMergeKey.yml 0000644 00000004411 14716422132 0013207 0 ustar 00 --- %YAML:1.0
test: Simple In Place Substitution
brief: >
If you want to reuse an entire alias, only overwriting what is different
you can use a << in place substitution. This is not part of the official
YAML spec, but a widely implemented extension. See the following URL for
details: http://yaml.org/type/merge.html
yaml: |
foo: &foo
a: Steve
b: Clark
c: Brian
e: notnull
bar:
a: before
d: other
e: ~
<<: *foo
b: new
x: Oren
c:
foo: bar
bar: foo
bar_inline: {a: before, d: other, <<: *foo, b: new, x: Oren, c: { foo: bar, bar: foo}}
foo2: &foo2
a: Ballmer
ding: &dong [ fi, fei, fo, fam]
check:
<<:
- *foo
- *dong
isit: tested
head:
<<: [ *foo , *dong , *foo2 ]
taz: &taz
a: Steve
w:
p: 1234
nested:
<<: *taz
d: Doug
w: &nestedref
p: 12345
z:
<<: *nestedref
head_inline: &head_inline { <<: [ *foo , *dong , *foo2 ] }
recursive_inline: { <<: *head_inline, c: { <<: *foo2 } }
php: |
[
'foo' => ['a' => 'Steve', 'b' => 'Clark', 'c' => 'Brian', 'e' => 'notnull'],
'bar' => ['a' => 'before', 'd' => 'other', 'e' => null, 'b' => 'new', 'c' => ['foo' => 'bar', 'bar' => 'foo'], 'x' => 'Oren'],
'bar_inline' => ['a' => 'before', 'd' => 'other', 'b' => 'new', 'c' => ['foo' => 'bar', 'bar' => 'foo'], 'e' => 'notnull', 'x' => 'Oren'],
'foo2' => ['a' => 'Ballmer'],
'ding' => ['fi', 'fei', 'fo', 'fam'],
'check' => ['a' => 'Steve', 'b' => 'Clark', 'c' => 'Brian', 'e' => 'notnull', 'fi', 'fei', 'fo', 'fam', 'isit' => 'tested'],
'head' => ['a' => 'Steve', 'b' => 'Clark', 'c' => 'Brian', 'e' => 'notnull', 'fi', 'fei', 'fo', 'fam'],
'taz' => ['a' => 'Steve', 'w' => ['p' => 1234]],
'nested' => ['a' => 'Steve', 'w' => ['p' => 12345], 'd' => 'Doug', 'z' => ['p' => 12345]],
'head_inline' => ['a' => 'Steve', 'b' => 'Clark', 'c' => 'Brian', 'e' => 'notnull', 'fi', 'fei', 'fo', 'fam'],
'recursive_inline' => ['a' => 'Steve', 'b' => 'Clark', 'c' => ['a' => 'Ballmer'], 'e' => 'notnull', 'fi', 'fei', 'fo', 'fam'],
]
yaml/Tests/Fixtures/multiple_lines_as_literal_block.yml 0000644 00000000551 14716422132 0017545 0 ustar 00 data:
single_line: 'foo bar baz'
multi_line: |
foo
line with trailing spaces:
bar
integer like line:
123456789
empty line:
baz
multi_line_with_carriage_return: "foo\nbar\r\nbaz"
nested_inlined_multi_line_string: { inlined_multi_line: "foo\nbar\r\nempty line:\n\nbaz" }
yaml/Tests/Fixtures/YtsTypeTransfers.yml 0000644 00000016313 14716422132 0014463 0 ustar 00 --- %YAML:1.0
test: Strings
brief: >
Any group of characters beginning with an
alphabetic or numeric character is a string,
unless it belongs to one of the groups below
(such as an Integer or Time).
yaml: |
String
php: |
'String'
---
test: String characters
brief: >
A string can contain any alphabetic or
numeric character, along with many
punctuation characters, including the
period, dash, space, quotes, exclamation, and
question mark.
yaml: |
- What's Yaml?
- It's for writing data structures in plain text.
- And?
- And what? That's not good enough for you?
- No, I mean, "And what about Yaml?"
- Oh, oh yeah. Uh.. Yaml for Ruby.
php: |
[
"What's Yaml?",
"It's for writing data structures in plain text.",
"And?",
"And what? That's not good enough for you?",
"No, I mean, \"And what about Yaml?\"",
"Oh, oh yeah. Uh.. Yaml for Ruby."
]
---
test: Indicators in Strings
brief: >
Be careful using indicators in strings. In particular,
the comma, colon, and pound sign must be used carefully.
yaml: |
the colon followed by space is an indicator: but is a string:right here
same for the pound sign: here we have it#in a string
the comma can, honestly, be used in most cases: [ but not in, inline collections ]
php: |
[
'the colon followed by space is an indicator' => 'but is a string:right here',
'same for the pound sign' => 'here we have it#in a string',
'the comma can, honestly, be used in most cases' => ['but not in', 'inline collections']
]
---
test: Forcing Strings
brief: >
Any YAML type can be forced into a string using the
explicit !!str method.
yaml: |
date string: !!str 2001-08-01
number string: !!str 192
php: |
[
'date string' => '2001-08-01',
'number string' => '192'
]
---
test: Single-quoted Strings
brief: >
You can also enclose your strings within single quotes,
which allows use of slashes, colons, and other indicators
freely. Inside single quotes, you can represent a single
quote in your string by using two single quotes next to
each other.
yaml: |
all my favorite symbols: '#:!/%.)'
a few i hate: '&(*'
why do i hate them?: 'it''s very hard to explain'
entities: '£ me'
php: |
[
'all my favorite symbols' => '#:!/%.)',
'a few i hate' => '&(*',
'why do i hate them?' => 'it\'s very hard to explain',
'entities' => '£ me'
]
---
test: Double-quoted Strings
brief: >
Enclosing strings in double quotes allows you
to use escapings to represent ASCII and
Unicode characters.
yaml: |
i know where i want my line breaks: "one here\nand another here\n"
php: |
[
'i know where i want my line breaks' => "one here\nand another here\n"
]
---
test: Multi-line Quoted Strings
todo: true
brief: >
Both single- and double-quoted strings may be
carried on to new lines in your YAML document.
They must be indented a step and indentation
is interpreted as a single space.
yaml: |
i want a long string: "so i'm going to
let it go on and on to other lines
until i end it with a quote."
php: |
['i want a long string' => "so i'm going to ".
"let it go on and on to other lines ".
"until i end it with a quote."
]
---
test: Plain scalars
todo: true
brief: >
Unquoted strings may also span multiple lines, if they
are free of YAML space indicators and indented.
yaml: |
- My little toe is broken in two places;
- I'm crazy to have skied this way;
- I'm not the craziest he's seen, since there was always the German guy
who skied for 3 hours on a broken shin bone (just below the kneecap);
- Nevertheless, second place is respectable, and he doesn't
recommend going for the record;
- He's going to put my foot in plaster for a month;
- This would impair my skiing ability somewhat for the
duration, as can be imagined.
php: |
[
"My little toe is broken in two places;",
"I'm crazy to have skied this way;",
"I'm not the craziest he's seen, since there was always ".
"the German guy who skied for 3 hours on a broken shin ".
"bone (just below the kneecap);",
"Nevertheless, second place is respectable, and he doesn't ".
"recommend going for the record;",
"He's going to put my foot in plaster for a month;",
"This would impair my skiing ability somewhat for the duration, ".
"as can be imagined."
]
---
test: 'Null'
brief: >
You can use the tilde '~' character for a null value.
yaml: |
name: Mr. Show
hosted by: Bob and David
date of next season: ~
php: |
[
'name' => 'Mr. Show',
'hosted by' => 'Bob and David',
'date of next season' => null
]
---
test: Boolean
brief: >
You can use 'true' and 'false' for Boolean values.
yaml: |
Is Gus a Liar?: true
Do I rely on Gus for Sustenance?: false
php: |
[
'Is Gus a Liar?' => true,
'Do I rely on Gus for Sustenance?' => false
]
---
test: Integers
dump_skip: true
brief: >
An integer is a series of numbers, optionally
starting with a positive or negative sign. Integers
may also contain commas for readability.
yaml: |
zero: 0
simple: 12
php: |
[
'zero' => 0,
'simple' => 12,
]
---
test: Positive Big Integer
deprecated: true
dump_skip: true
brief: >
An integer is a series of numbers, optionally
starting with a positive or negative sign. Integers
may also contain commas for readability.
yaml: |
one-thousand: 1,000
php: |
[
'one-thousand' => 1000.0,
]
---
test: Negative Big Integer
deprecated: true
dump_skip: true
brief: >
An integer is a series of numbers, optionally
starting with a positive or negative sign. Integers
may also contain commas for readability.
yaml: |
negative one-thousand: -1,000
php: |
[
'negative one-thousand' => -1000.0
]
---
test: Floats
dump_skip: true
brief: >
Floats are represented by numbers with decimals,
allowing for scientific notation, as well as
positive and negative infinity and "not a number."
yaml: |
a simple float: 2.00
scientific notation: 1.00009e+3
php: |
[
'a simple float' => 2.0,
'scientific notation' => 1000.09
]
---
test: Larger Float
dump_skip: true
deprecated: true
brief: >
Floats are represented by numbers with decimals,
allowing for scientific notation, as well as
positive and negative infinity and "not a number."
yaml: |
larger float: 1,000.09
php: |
[
'larger float' => 1000.09,
]
---
test: Time
todo: true
brief: >
You can represent timestamps by using
ISO8601 format, or a variation which
allows spaces between the date, time and
time zone.
yaml: |
iso8601: 2001-12-14t21:59:43.10-05:00
space separated: 2001-12-14 21:59:43.10 -05:00
php: |
[
'iso8601' => mktime( 2001, 12, 14, 21, 59, 43, 0.10, "-05:00" ),
'space separated' => mktime( 2001, 12, 14, 21, 59, 43, 0.10, "-05:00" )
]
---
test: Date
todo: true
brief: >
A date can be represented by its year,
month and day in ISO8601 order.
yaml: |
1976-07-31
php: |
date( 1976, 7, 31 )
yaml/Tests/Fixtures/nullMappingKey.yml 0000644 00000000142 14716422132 0014102 0 ustar 00 --- %YAML:1.0
test: Miscellaneous
spec: 2.21
yaml: |
null: ~
php: |
[
'null' => null,
]
yaml/Tests/Fixtures/arrow.gif 0000644 00000000271 14716422132 0012244 0 ustar 00 GIF89a fff ^^^펎iiiccc!Made with GIMP , , 0@iъπM$z0p1f
'
; yaml/Tests/Fixtures/YtsBlockMapping.yml 0000644 00000001603 14716422132 0014214 0 ustar 00 ---
test: One Element Mapping
brief: |
A mapping with one key/value pair
yaml: |
foo: bar
php: |
['foo' => 'bar']
---
test: Multi Element Mapping
brief: |
More than one key/value pair
yaml: |
red: baron
white: walls
blue: berries
php: |
[
'red' => 'baron',
'white' => 'walls',
'blue' => 'berries',
]
---
test: Values aligned
brief: |
Often times human editors of documents will align the values even
though YAML emitters generally don't.
yaml: |
red: baron
white: walls
blue: berries
php: |
[
'red' => 'baron',
'white' => 'walls',
'blue' => 'berries',
]
---
test: Colons aligned
brief: |
Spaces can come before the ': ' key/value separator.
yaml: |
red : baron
white : walls
blue : berries
php: |
[
'red' => 'baron',
'white' => 'walls',
'blue' => 'berries',
]
yaml/Tests/Fixtures/nonStringKeys.yml 0000644 00000000073 14716422132 0013763 0 ustar 00 - booleanMappingKeys
- numericMappingKeys
- nullMappingKey
yaml/Tests/Fixtures/unindentedCollections.yml 0000644 00000003257 14716422132 0015511 0 ustar 00 --- %YAML:1.0
test: Unindented collection
brief: >
Unindented collection
yaml: |
collection:
- item1
- item2
- item3
php: |
['collection' => ['item1', 'item2', 'item3']]
---
test: Nested unindented collection (two levels)
brief: >
Nested unindented collection
yaml: |
collection:
key:
- a
- b
- c
php: |
['collection' => ['key' => ['a', 'b', 'c']]]
---
test: Nested unindented collection (three levels)
brief: >
Nested unindented collection
yaml: |
collection:
key:
subkey:
- one
- two
- three
php: |
['collection' => ['key' => ['subkey' => ['one', 'two', 'three']]]]
---
test: Key/value after unindented collection (1)
brief: >
Key/value after unindented collection (1)
yaml: |
collection:
key:
- a
- b
- c
foo: bar
php: |
['collection' => ['key' => ['a', 'b', 'c']], 'foo' => 'bar']
---
test: Key/value after unindented collection (at the same level)
brief: >
Key/value after unindented collection
yaml: |
collection:
key:
- a
- b
- c
foo: bar
php: |
['collection' => ['key' => ['a', 'b', 'c'], 'foo' => 'bar']]
---
test: Shortcut Key after unindented collection
brief: >
Key/value after unindented collection
yaml: |
collection:
- key: foo
foo: bar
php: |
['collection' => [['key' => 'foo', 'foo' => 'bar']]]
---
test: Shortcut Key after unindented collection with custom spaces
brief: >
Key/value after unindented collection
yaml: |
collection:
- key: foo
foo: bar
php: |
['collection' => [['key' => 'foo', 'foo' => 'bar']]]
yaml/Tests/Fixtures/embededPhp.yml 0000644 00000000037 14716422132 0013203 0 ustar 00 value:
yaml/Tests/Fixtures/legacyNullMappingKey.yml 0000644 00000000136 14716422132 0015232 0 ustar 00 --- %YAML:1.0
test: Miscellaneous
spec: 2.21
yaml: |
null: ~
php: |
[
'' => null,
]
yaml/Tests/Fixtures/legacyBooleanMappingKeys.yml 0000644 00000000457 14716422132 0016070 0 ustar 00 --- %YAML:1.0
test: Miscellaneous
spec: 2.21
yaml: |
true: true
false: false
php: |
[
1 => true,
0 => false,
]
---
test: Boolean
yaml: |
false: used as key
logical: true
answer: false
php: |
[
false => 'used as key',
'logical' => true,
'answer' => false
]
yaml/Tests/Fixtures/YtsSpecificationExamples.yml 0000644 00000120526 14716422132 0016133 0 ustar 00 --- %YAML:1.0
test: Sequence of scalars
spec: 2.1
yaml: |
- Mark McGwire
- Sammy Sosa
- Ken Griffey
php: |
['Mark McGwire', 'Sammy Sosa', 'Ken Griffey']
---
test: Mapping of scalars to scalars
spec: 2.2
yaml: |
hr: 65
avg: 0.278
rbi: 147
php: |
['hr' => 65, 'avg' => 0.278, 'rbi' => 147]
---
test: Mapping of scalars to sequences
spec: 2.3
yaml: |
american:
- Boston Red Sox
- Detroit Tigers
- New York Yankees
national:
- New York Mets
- Chicago Cubs
- Atlanta Braves
php: |
['american' =>
['Boston Red Sox', 'Detroit Tigers',
'New York Yankees'],
'national' =>
['New York Mets', 'Chicago Cubs',
'Atlanta Braves']
]
---
test: Sequence of mappings
spec: 2.4
yaml: |
-
name: Mark McGwire
hr: 65
avg: 0.278
-
name: Sammy Sosa
hr: 63
avg: 0.288
php: |
[
['name' => 'Mark McGwire', 'hr' => 65, 'avg' => 0.278],
['name' => 'Sammy Sosa', 'hr' => 63, 'avg' => 0.288]
]
---
test: Legacy A5
todo: true
spec: legacy_A5
yaml: |
?
- New York Yankees
- Atlanta Braves
:
- 2001-07-02
- 2001-08-12
- 2001-08-14
?
- Detroit Tigers
- Chicago Cubs
:
- 2001-07-23
perl-busted: >
YAML.pm will be able to emulate this behavior soon. In this regard
it may be somewhat more correct than Python's native behavior which
can only use tuples as mapping keys. PyYAML will also need to figure
out some clever way to roundtrip structured keys.
python: |
[
{
('New York Yankees', 'Atlanta Braves'):
[yaml.timestamp('2001-07-02'),
yaml.timestamp('2001-08-12'),
yaml.timestamp('2001-08-14')],
('Detroit Tigers', 'Chicago Cubs'):
[yaml.timestamp('2001-07-23')]
}
]
ruby: |
{
[ 'New York Yankees', 'Atlanta Braves' ] =>
[ Date.new( 2001, 7, 2 ), Date.new( 2001, 8, 12 ), Date.new( 2001, 8, 14 ) ],
[ 'Detroit Tigers', 'Chicago Cubs' ] =>
[ Date.new( 2001, 7, 23 ) ]
}
syck: |
struct test_node seq1[] = {
{ T_STR, 0, "New York Yankees" },
{ T_STR, 0, "Atlanta Braves" },
end_node
};
struct test_node seq2[] = {
{ T_STR, 0, "2001-07-02" },
{ T_STR, 0, "2001-08-12" },
{ T_STR, 0, "2001-08-14" },
end_node
};
struct test_node seq3[] = {
{ T_STR, 0, "Detroit Tigers" },
{ T_STR, 0, "Chicago Cubs" },
end_node
};
struct test_node seq4[] = {
{ T_STR, 0, "2001-07-23" },
end_node
};
struct test_node map[] = {
{ T_SEQ, 0, 0, seq1 },
{ T_SEQ, 0, 0, seq2 },
{ T_SEQ, 0, 0, seq3 },
{ T_SEQ, 0, 0, seq4 },
end_node
};
struct test_node stream[] = {
{ T_MAP, 0, 0, map },
end_node
};
---
test: Sequence of sequences
spec: 2.5
yaml: |
- [ name , hr , avg ]
- [ Mark McGwire , 65 , 0.278 ]
- [ Sammy Sosa , 63 , 0.288 ]
php: |
[
[ 'name', 'hr', 'avg' ],
[ 'Mark McGwire', 65, 0.278 ],
[ 'Sammy Sosa', 63, 0.288 ]
]
---
test: Mapping of mappings
todo: true
spec: 2.6
yaml: |
Mark McGwire: {hr: 65, avg: 0.278}
Sammy Sosa: {
hr: 63,
avg: 0.288
}
php: |
[
'Mark McGwire' =>
[ 'hr' => 65, 'avg' => 0.278 ],
'Sammy Sosa' =>
[ 'hr' => 63, 'avg' => 0.288 ]
]
---
test: Two documents in a stream each with a leading comment
todo: true
spec: 2.7
yaml: |
# Ranking of 1998 home runs
---
- Mark McGwire
- Sammy Sosa
- Ken Griffey
# Team ranking
---
- Chicago Cubs
- St Louis Cardinals
ruby: |
y = YAML::Stream.new
y.add( [ 'Mark McGwire', 'Sammy Sosa', 'Ken Griffey' ] )
y.add( [ 'Chicago Cubs', 'St Louis Cardinals' ] )
documents: 2
---
test: Play by play feed from a game
todo: true
spec: 2.8
yaml: |
---
time: 20:03:20
player: Sammy Sosa
action: strike (miss)
...
---
time: 20:03:47
player: Sammy Sosa
action: grand slam
...
perl: |
[ 'Mark McGwire', 'Sammy Sosa', 'Ken Griffey' ]
documents: 2
---
test: Single document with two comments
spec: 2.9
yaml: |
hr: # 1998 hr ranking
- Mark McGwire
- Sammy Sosa
rbi:
# 1998 rbi ranking
- Sammy Sosa
- Ken Griffey
php: |
[
'hr' => [ 'Mark McGwire', 'Sammy Sosa' ],
'rbi' => [ 'Sammy Sosa', 'Ken Griffey' ]
]
---
test: Node for Sammy Sosa appears twice in this document
spec: 2.10
yaml: |
---
hr:
- Mark McGwire
# Following node labeled SS
- &SS Sammy Sosa
rbi:
- *SS # Subsequent occurrence
- Ken Griffey
php: |
[
'hr' =>
['Mark McGwire', 'Sammy Sosa'],
'rbi' =>
['Sammy Sosa', 'Ken Griffey']
]
---
test: Mapping between sequences
todo: true
spec: 2.11
yaml: |
? # PLAY SCHEDULE
- Detroit Tigers
- Chicago Cubs
:
- 2001-07-23
? [ New York Yankees,
Atlanta Braves ]
: [ 2001-07-02, 2001-08-12,
2001-08-14 ]
ruby: |
{
[ 'Detroit Tigers', 'Chicago Cubs' ] => [ Date.new( 2001, 7, 23 ) ],
[ 'New York Yankees', 'Atlanta Braves' ] => [ Date.new( 2001, 7, 2 ), Date.new( 2001, 8, 12 ), Date.new( 2001, 8, 14 ) ]
}
syck: |
struct test_node seq1[] = {
{ T_STR, 0, "New York Yankees" },
{ T_STR, 0, "Atlanta Braves" },
end_node
};
struct test_node seq2[] = {
{ T_STR, 0, "2001-07-02" },
{ T_STR, 0, "2001-08-12" },
{ T_STR, 0, "2001-08-14" },
end_node
};
struct test_node seq3[] = {
{ T_STR, 0, "Detroit Tigers" },
{ T_STR, 0, "Chicago Cubs" },
end_node
};
struct test_node seq4[] = {
{ T_STR, 0, "2001-07-23" },
end_node
};
struct test_node map[] = {
{ T_SEQ, 0, 0, seq3 },
{ T_SEQ, 0, 0, seq4 },
{ T_SEQ, 0, 0, seq1 },
{ T_SEQ, 0, 0, seq2 },
end_node
};
struct test_node stream[] = {
{ T_MAP, 0, 0, map },
end_node
};
---
test: Sequence key shortcut
spec: 2.12
yaml: |
---
# products purchased
- item : Super Hoop
quantity: 1
- item : Basketball
quantity: 4
- item : Big Shoes
quantity: 1
php: |
[
[
'item' => 'Super Hoop',
'quantity' => 1,
],
[
'item' => 'Basketball',
'quantity' => 4,
],
[
'item' => 'Big Shoes',
'quantity' => 1,
]
]
perl: |
[
{ item => 'Super Hoop', quantity => 1 },
{ item => 'Basketball', quantity => 4 },
{ item => 'Big Shoes', quantity => 1 }
]
ruby: |
[
{ 'item' => 'Super Hoop', 'quantity' => 1 },
{ 'item' => 'Basketball', 'quantity' => 4 },
{ 'item' => 'Big Shoes', 'quantity' => 1 }
]
python: |
[
{ 'item': 'Super Hoop', 'quantity': 1 },
{ 'item': 'Basketball', 'quantity': 4 },
{ 'item': 'Big Shoes', 'quantity': 1 }
]
syck: |
struct test_node map1[] = {
{ T_STR, 0, "item" },
{ T_STR, 0, "Super Hoop" },
{ T_STR, 0, "quantity" },
{ T_STR, 0, "1" },
end_node
};
struct test_node map2[] = {
{ T_STR, 0, "item" },
{ T_STR, 0, "Basketball" },
{ T_STR, 0, "quantity" },
{ T_STR, 0, "4" },
end_node
};
struct test_node map3[] = {
{ T_STR, 0, "item" },
{ T_STR, 0, "Big Shoes" },
{ T_STR, 0, "quantity" },
{ T_STR, 0, "1" },
end_node
};
struct test_node seq[] = {
{ T_MAP, 0, 0, map1 },
{ T_MAP, 0, 0, map2 },
{ T_MAP, 0, 0, map3 },
end_node
};
struct test_node stream[] = {
{ T_SEQ, 0, 0, seq },
end_node
};
---
test: Literal perserves newlines
todo: true
spec: 2.13
yaml: |
# ASCII Art
--- |
\//||\/||
// || ||_
perl: |
"\\//||\\/||\n// || ||_\n"
ruby: |
"\\//||\\/||\n// || ||_\n"
python: |
[
flushLeft(
"""
\//||\/||
// || ||_
"""
)
]
syck: |
struct test_node stream[] = {
{ T_STR, 0, "\\//||\\/||\n// || ||_\n" },
end_node
};
---
test: Folded treats newlines as a space
todo: true
spec: 2.14
yaml: |
---
Mark McGwire's
year was crippled
by a knee injury.
perl: |
"Mark McGwire's year was crippled by a knee injury."
ruby: |
"Mark McGwire's year was crippled by a knee injury."
python: |
[ "Mark McGwire's year was crippled by a knee injury." ]
syck: |
struct test_node stream[] = {
{ T_STR, 0, "Mark McGwire's year was crippled by a knee injury." },
end_node
};
---
test: Newlines preserved for indented and blank lines
todo: true
spec: 2.15
yaml: |
--- >
Sammy Sosa completed another
fine season with great stats.
63 Home Runs
0.288 Batting Average
What a year!
perl: |
"Sammy Sosa completed another fine season with great stats.\n\n 63 Home Runs\n 0.288 Batting Average\n\nWhat a year!\n"
ruby: |
"Sammy Sosa completed another fine season with great stats.\n\n 63 Home Runs\n 0.288 Batting Average\n\nWhat a year!\n"
python: |
[
flushLeft(
"""
Sammy Sosa completed another fine season with great stats.
63 Home Runs
0.288 Batting Average
What a year!
"""
)
]
syck: |
struct test_node stream[] = {
{ T_STR, 0, "Sammy Sosa completed another fine season with great stats.\n\n 63 Home Runs\n 0.288 Batting Average\n\nWhat a year!\n" },
end_node
};
---
test: Indentation determines scope
spec: 2.16
yaml: |
name: Mark McGwire
accomplishment: >
Mark set a major league
home run record in 1998.
stats: |
65 Home Runs
0.278 Batting Average
php: |
[
'name' => 'Mark McGwire',
'accomplishment' => "Mark set a major league home run record in 1998.\n",
'stats' => "65 Home Runs\n0.278 Batting Average\n"
]
---
test: Quoted scalars
todo: true
spec: 2.17
yaml: |
unicode: "Sosa did fine.\u263A"
control: "\b1998\t1999\t2000\n"
hexesc: "\x0D\x0A is \r\n"
single: '"Howdy!" he cried.'
quoted: ' # not a ''comment''.'
tie-fighter: '|\-*-/|'
ruby: |
{
"tie-fighter" => "|\\-*-/|",
"control"=>"\0101998\t1999\t2000\n",
"unicode"=>"Sosa did fine." + ["263A".hex ].pack('U*'),
"quoted"=>" # not a 'comment'.",
"single"=>"\"Howdy!\" he cried.",
"hexesc"=>"\r\n is \r\n"
}
---
test: Multiline flow scalars
todo: true
spec: 2.18
yaml: |
plain:
This unquoted scalar
spans many lines.
quoted: "So does this
quoted scalar.\n"
ruby: |
{
'plain' => 'This unquoted scalar spans many lines.',
'quoted' => "So does this quoted scalar.\n"
}
---
test: Integers
spec: 2.19
yaml: |
canonical: 12345
octal: 014
hexadecimal: 0xC
php: |
[
'canonical' => 12345,
'octal' => 014,
'hexadecimal' => 0xC
]
---
test: Decimal Integer
deprecated: true
spec: 2.19
yaml: |
decimal: +12,345
php: |
[
'decimal' => 12345.0,
]
---
# FIX: spec shows parens around -inf and NaN
test: Floating point
spec: 2.20
yaml: |
canonical: 1.23015e+3
exponential: 12.3015e+02
negative infinity: -.inf
not a number: .NaN
float as whole number: !!float 1
php: |
[
'canonical' => 1230.15,
'exponential' => 1230.15,
'negative infinity' => log(0),
'not a number' => -log(0),
'float as whole number' => (float) 1
]
---
test: Fixed Floating point
deprecated: true
spec: 2.20
yaml: |
fixed: 1,230.15
php: |
[
'fixed' => 1230.15,
]
---
test: Timestamps
todo: true
spec: 2.22
yaml: |
canonical: 2001-12-15T02:59:43.1Z
iso8601: 2001-12-14t21:59:43.10-05:00
spaced: 2001-12-14 21:59:43.10 -05:00
date: 2002-12-14 # Time is noon UTC
php: |
[
'canonical' => YAML::mktime( 2001, 12, 15, 2, 59, 43, 0.10 ),
'iso8601' => YAML::mktime( 2001, 12, 14, 21, 59, 43, 0.10, "-05:00" ),
'spaced' => YAML::mktime( 2001, 12, 14, 21, 59, 43, 0.10, "-05:00" ),
'date' => Date.new( 2002, 12, 14 )
]
---
test: legacy Timestamps test
todo: true
spec: legacy D4
yaml: |
canonical: 2001-12-15T02:59:43.00Z
iso8601: 2001-02-28t21:59:43.00-05:00
spaced: 2001-12-14 21:59:43.00 -05:00
date: 2002-12-14
php: |
[
'canonical' => Time::utc( 2001, 12, 15, 2, 59, 43, 0 ),
'iso8601' => YAML::mktime( 2001, 2, 28, 21, 59, 43, 0, "-05:00" ),
'spaced' => YAML::mktime( 2001, 12, 14, 21, 59, 43, 0, "-05:00" ),
'date' => Date.new( 2002, 12, 14 )
]
---
test: Various explicit families
todo: true
spec: 2.23
yaml: |
not-date: !!str 2002-04-28
picture: !binary |
R0lGODlhDAAMAIQAAP//9/X
17unp5WZmZgAAAOfn515eXv
Pz7Y6OjuDg4J+fn5OTk6enp
56enmleECcgggoBADs=
application specific tag: !!something |
The semantics of the tag
above may be different for
different documents.
ruby-setup: |
YAML.add_private_type( "something" ) do |type, val|
"SOMETHING: #{val}"
end
ruby: |
{
'not-date' => '2002-04-28',
'picture' => "GIF89a\f\000\f\000\204\000\000\377\377\367\365\365\356\351\351\345fff\000\000\000\347\347\347^^^\363\363\355\216\216\216\340\340\340\237\237\237\223\223\223\247\247\247\236\236\236i^\020' \202\n\001\000;",
'application specific tag' => "SOMETHING: The semantics of the tag\nabove may be different for\ndifferent documents.\n"
}
---
test: Application specific family
todo: true
spec: 2.24
yaml: |
# Establish a tag prefix
--- !clarkevans.com,2002/graph/^shape
# Use the prefix: shorthand for
# !clarkevans.com,2002/graph/circle
- !^circle
center: &ORIGIN {x: 73, 'y': 129}
radius: 7
- !^line # !clarkevans.com,2002/graph/line
start: *ORIGIN
finish: { x: 89, 'y': 102 }
- !^label
start: *ORIGIN
color: 0xFFEEBB
value: Pretty vector drawing.
ruby-setup: |
YAML.add_domain_type( "clarkevans.com,2002", 'graph/shape' ) { |type, val|
if Array === val
val << "Shape Container"
val
else
raise YAML::Error, "Invalid graph of class #{ val.class }: " + val.inspect
end
}
one_shape_proc = Proc.new { |type, val|
scheme, domain, type = type.split( /:/, 3 )
if val.is_a? ::Hash
val['TYPE'] = "Shape: #{type}"
val
else
raise YAML::Error, "Invalid graph of class #{ val.class }: " + val.inspect
end
}
YAML.add_domain_type( "clarkevans.com,2002", 'graph/circle', &one_shape_proc )
YAML.add_domain_type( "clarkevans.com,2002", 'graph/line', &one_shape_proc )
YAML.add_domain_type( "clarkevans.com,2002", 'graph/label', &one_shape_proc )
ruby: |
[
{
"radius" => 7,
"center"=>
{
"x" => 73,
"y" => 129
},
"TYPE" => "Shape: graph/circle"
}, {
"finish" =>
{
"x" => 89,
"y" => 102
},
"TYPE" => "Shape: graph/line",
"start" =>
{
"x" => 73,
"y" => 129
}
}, {
"TYPE" => "Shape: graph/label",
"value" => "Pretty vector drawing.",
"start" =>
{
"x" => 73,
"y" => 129
},
"color" => 16772795
},
"Shape Container"
]
# ---
# test: Unordered set
# spec: 2.25
# yaml: |
# # sets are represented as a
# # mapping where each key is
# # associated with the empty string
# --- !set
# ? Mark McGwire
# ? Sammy Sosa
# ? Ken Griff
---
test: Ordered mappings
todo: true
spec: 2.26
yaml: |
# ordered maps are represented as
# a sequence of mappings, with
# each mapping having one key
--- !omap
- Mark McGwire: 65
- Sammy Sosa: 63
- Ken Griffy: 58
ruby: |
YAML::Omap[
'Mark McGwire', 65,
'Sammy Sosa', 63,
'Ken Griffy', 58
]
---
test: Invoice
dump_skip: true
spec: 2.27
yaml: |
--- !clarkevans.com,2002/^invoice
invoice: 34843
date : 2001-01-23
bill-to: &id001
given : Chris
family : Dumars
address:
lines: |
458 Walkman Dr.
Suite #292
city : Royal Oak
state : MI
postal : 48046
ship-to: *id001
product:
-
sku : BL394D
quantity : 4
description : Basketball
price : 450.00
-
sku : BL4438H
quantity : 1
description : Super Hoop
price : 2392.00
tax : 251.42
total: 4443.52
comments: >
Late afternoon is best.
Backup contact is Nancy
Billsmer @ 338-4338.
php: |
[
'invoice' => 34843, 'date' => gmmktime(0, 0, 0, 1, 23, 2001),
'bill-to' =>
[ 'given' => 'Chris', 'family' => 'Dumars', 'address' => [ 'lines' => "458 Walkman Dr.\nSuite #292\n", 'city' => 'Royal Oak', 'state' => 'MI', 'postal' => 48046 ] ]
, 'ship-to' =>
[ 'given' => 'Chris', 'family' => 'Dumars', 'address' => [ 'lines' => "458 Walkman Dr.\nSuite #292\n", 'city' => 'Royal Oak', 'state' => 'MI', 'postal' => 48046 ] ]
, 'product' =>
[
[ 'sku' => 'BL394D', 'quantity' => 4, 'description' => 'Basketball', 'price' => 450.00 ],
[ 'sku' => 'BL4438H', 'quantity' => 1, 'description' => 'Super Hoop', 'price' => 2392.00 ]
],
'tax' => 251.42, 'total' => 4443.52,
'comments' => "Late afternoon is best. Backup contact is Nancy Billsmer @ 338-4338.\n"
]
---
test: Log file
todo: true
spec: 2.28
yaml: |
---
Time: 2001-11-23 15:01:42 -05:00
User: ed
Warning: >
This is an error message
for the log file
---
Time: 2001-11-23 15:02:31 -05:00
User: ed
Warning: >
A slightly different error
message.
---
Date: 2001-11-23 15:03:17 -05:00
User: ed
Fatal: >
Unknown variable "bar"
Stack:
- file: TopClass.py
line: 23
code: |
x = MoreObject("345\n")
- file: MoreClass.py
line: 58
code: |-
foo = bar
ruby: |
y = YAML::Stream.new
y.add( { 'Time' => YAML::mktime( 2001, 11, 23, 15, 01, 42, 00, "-05:00" ),
'User' => 'ed', 'Warning' => "This is an error message for the log file\n" } )
y.add( { 'Time' => YAML::mktime( 2001, 11, 23, 15, 02, 31, 00, "-05:00" ),
'User' => 'ed', 'Warning' => "A slightly different error message.\n" } )
y.add( { 'Date' => YAML::mktime( 2001, 11, 23, 15, 03, 17, 00, "-05:00" ),
'User' => 'ed', 'Fatal' => "Unknown variable \"bar\"\n",
'Stack' => [
{ 'file' => 'TopClass.py', 'line' => 23, 'code' => "x = MoreObject(\"345\\n\")\n" },
{ 'file' => 'MoreClass.py', 'line' => 58, 'code' => "foo = bar" } ] } )
documents: 3
---
test: Throwaway comments
yaml: |
### These are four throwaway comment ###
### lines (the second line is empty). ###
this: | # Comments may trail lines.
contains three lines of text.
The third one starts with a
# character. This isn't a comment.
# These are three throwaway comment
# lines (the first line is empty).
php: |
[
'this' => "contains three lines of text.\nThe third one starts with a\n# character. This isn't a comment.\n"
]
---
test: Document with a single value
todo: true
yaml: |
--- >
This YAML stream contains a single text value.
The next stream is a log file - a sequence of
log entries. Adding an entry to the log is a
simple matter of appending it at the end.
ruby: |
"This YAML stream contains a single text value. The next stream is a log file - a sequence of log entries. Adding an entry to the log is a simple matter of appending it at the end.\n"
---
test: Document stream
todo: true
yaml: |
---
at: 2001-08-12 09:25:00.00 Z
type: GET
HTTP: '1.0'
url: '/index.html'
---
at: 2001-08-12 09:25:10.00 Z
type: GET
HTTP: '1.0'
url: '/toc.html'
ruby: |
y = YAML::Stream.new
y.add( {
'at' => Time::utc( 2001, 8, 12, 9, 25, 00 ),
'type' => 'GET',
'HTTP' => '1.0',
'url' => '/index.html'
} )
y.add( {
'at' => Time::utc( 2001, 8, 12, 9, 25, 10 ),
'type' => 'GET',
'HTTP' => '1.0',
'url' => '/toc.html'
} )
documents: 2
---
test: Top level mapping
yaml: |
# This stream is an example of a top-level mapping.
invoice : 34843
date : 2001-01-23
total : 4443.52
php: |
[
'invoice' => 34843,
'date' => gmmktime(0, 0, 0, 1, 23, 2001),
'total' => 4443.52
]
---
test: Single-line documents
todo: true
yaml: |
# The following is a sequence of three documents.
# The first contains an empty mapping, the second
# an empty sequence, and the last an empty string.
--- {}
--- [ ]
--- ''
ruby: |
y = YAML::Stream.new
y.add( {} )
y.add( [] )
y.add( '' )
documents: 3
---
test: Document with pause
todo: true
yaml: |
# A communication channel based on a YAML stream.
---
sent at: 2002-06-06 11:46:25.10 Z
payload: Whatever
# Receiver can process this as soon as the following is sent:
...
# Even if the next message is sent long after:
---
sent at: 2002-06-06 12:05:53.47 Z
payload: Whatever
...
ruby: |
y = YAML::Stream.new
y.add(
{ 'sent at' => YAML::mktime( 2002, 6, 6, 11, 46, 25, 0.10 ),
'payload' => 'Whatever' }
)
y.add(
{ "payload" => "Whatever", "sent at" => YAML::mktime( 2002, 6, 6, 12, 5, 53, 0.47 ) }
)
documents: 2
---
test: Explicit typing
deprecated: Using the non-specific tag "!" is deprecated since Symfony 3.4 as its behavior will change in 4.0.
yaml: |
integer: 12
also int: ! "12"
string: !!str 12
php: |
[ 'integer' => 12, 'also int' => 12, 'string' => '12' ]
---
test: Private types
todo: true
yaml: |
# Both examples below make use of the 'x-private:ball'
# type family URI, but with different semantics.
---
pool: !!ball
number: 8
color: black
---
bearing: !!ball
material: steel
ruby: |
y = YAML::Stream.new
y.add( { 'pool' =>
YAML::PrivateType.new( 'ball',
{ 'number' => 8, 'color' => 'black' } ) }
)
y.add( { 'bearing' =>
YAML::PrivateType.new( 'ball',
{ 'material' => 'steel' } ) }
)
documents: 2
---
test: Type family under yaml.org
yaml: |
# The URI is 'tag:yaml.org,2002:str'
- !!str a Unicode string
php: |
[ 'a Unicode string' ]
---
test: Type family under perl.yaml.org
todo: true
yaml: |
# The URI is 'tag:perl.yaml.org,2002:Text::Tabs'
- !perl/Text::Tabs {}
ruby: |
[ YAML::DomainType.new( 'perl.yaml.org,2002', 'Text::Tabs', {} ) ]
---
test: Type family under clarkevans.com
todo: true
yaml: |
# The URI is 'tag:clarkevans.com,2003-02:timesheet'
- !clarkevans.com,2003-02/timesheet {}
ruby: |
[ YAML::DomainType.new( 'clarkevans.com,2003-02', 'timesheet', {} ) ]
---
test: URI Escaping
todo: true
yaml: |
same:
- !domain.tld,2002/type\x30 value
- !domain.tld,2002/type0 value
different: # As far as the YAML parser is concerned
- !domain.tld,2002/type%30 value
- !domain.tld,2002/type0 value
ruby-setup: |
YAML.add_domain_type( "domain.tld,2002", "type0" ) { |type, val|
"ONE: #{val}"
}
YAML.add_domain_type( "domain.tld,2002", "type%30" ) { |type, val|
"TWO: #{val}"
}
ruby: |
{ 'same' => [ 'ONE: value', 'ONE: value' ], 'different' => [ 'TWO: value', 'ONE: value' ] }
---
test: URI Prefixing
todo: true
yaml: |
# 'tag:domain.tld,2002:invoice' is some type family.
invoice: !domain.tld,2002/^invoice
# 'seq' is shorthand for 'tag:yaml.org,2002:seq'.
# This does not effect '^customer' below
# because it is does not specify a prefix.
customers: !seq
# '^customer' is shorthand for the full
# notation 'tag:domain.tld,2002:customer'.
- !^customer
given : Chris
family : Dumars
ruby-setup: |
YAML.add_domain_type( "domain.tld,2002", /(invoice|customer)/ ) { |type, val|
if val.is_a? ::Hash
scheme, domain, type = type.split( /:/, 3 )
val['type'] = "domain #{type}"
val
else
raise YAML::Error, "Not a Hash in domain.tld/invoice: " + val.inspect
end
}
ruby: |
{ "invoice"=> { "customers"=> [ { "given"=>"Chris", "type"=>"domain customer", "family"=>"Dumars" } ], "type"=>"domain invoice" } }
---
test: Overriding anchors
yaml: |
anchor : &A001 This scalar has an anchor.
override : &A001 >
The alias node below is a
repeated use of this value.
alias : *A001
php: |
[ 'anchor' => 'This scalar has an anchor.',
'override' => "The alias node below is a repeated use of this value.\n",
'alias' => "The alias node below is a repeated use of this value.\n"]
---
test: Flow and block formatting
todo: true
yaml: |
empty: []
flow: [ one, two, three # May span lines,
, four, # indentation is
five ] # mostly ignored.
block:
- First item in top sequence
-
- Subordinate sequence entry
- >
A folded sequence entry
- Sixth item in top sequence
ruby: |
{ 'empty' => [], 'flow' => [ 'one', 'two', 'three', 'four', 'five' ],
'block' => [ 'First item in top sequence', [ 'Subordinate sequence entry' ],
"A folded sequence entry\n", 'Sixth item in top sequence' ] }
---
test: Complete mapping test
todo: true
yaml: |
empty: {}
flow: { one: 1, two: 2 }
spanning: { one: 1,
two: 2 }
block:
first : First entry
second:
key: Subordinate mapping
third:
- Subordinate sequence
- { }
- Previous mapping is empty.
- A key: value pair in a sequence.
A second: key:value pair.
- The previous entry is equal to the following one.
-
A key: value pair in a sequence.
A second: key:value pair.
!float 12 : This key is a float.
? >
?
: This key had to be protected.
"\a" : This key had to be escaped.
? >
This is a
multi-line
folded key
: Whose value is
also multi-line.
? this also works as a key
: with a value at the next line.
?
- This key
- is a sequence
:
- With a sequence value.
?
This: key
is a: mapping
:
with a: mapping value.
ruby: |
{ 'empty' => {}, 'flow' => { 'one' => 1, 'two' => 2 },
'spanning' => { 'one' => 1, 'two' => 2 },
'block' => { 'first' => 'First entry', 'second' =>
{ 'key' => 'Subordinate mapping' }, 'third' =>
[ 'Subordinate sequence', {}, 'Previous mapping is empty.',
{ 'A key' => 'value pair in a sequence.', 'A second' => 'key:value pair.' },
'The previous entry is equal to the following one.',
{ 'A key' => 'value pair in a sequence.', 'A second' => 'key:value pair.' } ],
12.0 => 'This key is a float.', "?\n" => 'This key had to be protected.',
"\a" => 'This key had to be escaped.',
"This is a multi-line folded key\n" => "Whose value is also multi-line.",
'this also works as a key' => 'with a value at the next line.',
[ 'This key', 'is a sequence' ] => [ 'With a sequence value.' ] } }
# Couldn't recreate map exactly, so we'll do a detailed check to be sure it's entact
obj_y['block'].keys.each { |k|
if Hash === k
v = obj_y['block'][k]
if k['This'] == 'key' and k['is a'] == 'mapping' and v['with a'] == 'mapping value.'
obj_r['block'][k] = v
end
end
}
---
test: Literal explicit indentation
yaml: |
# Explicit indentation must
# be given in all the three
# following cases.
leading spaces: |2
This value starts with four spaces.
leading line break: |2
This value starts with a line break.
leading comment indicator: |2
# first line starts with a
# character.
# Explicit indentation may
# also be given when it is
# not required.
redundant: |2
This value is indented 2 spaces.
php: |
[
'leading spaces' => " This value starts with four spaces.\n",
'leading line break' => "\nThis value starts with a line break.\n",
'leading comment indicator' => "# first line starts with a\n# character.\n",
'redundant' => "This value is indented 2 spaces.\n"
]
---
test: Chomping and keep modifiers
yaml: |
clipped: |
This has one newline.
same as "clipped" above: "This has one newline.\n"
stripped: |-
This has no newline.
same as "stripped" above: "This has no newline."
kept: |+
This has two newlines.
same as "kept" above: "This has two newlines.\n\n"
php: |
[
'clipped' => "This has one newline.\n",
'same as "clipped" above' => "This has one newline.\n",
'stripped' => 'This has no newline.',
'same as "stripped" above' => 'This has no newline.',
'kept' => "This has two newlines.\n\n",
'same as "kept" above' => "This has two newlines.\n\n"
]
---
test: Literal combinations
todo: true
yaml: |
empty: |
literal: |
The \ ' " characters may be
freely used. Leading white
space is significant.
Line breaks are significant.
Thus this value contains one
empty line and ends with a
single line break, but does
not start with one.
is equal to: "The \\ ' \" characters may \
be\nfreely used. Leading white\n space \
is significant.\n\nLine breaks are \
significant.\nThus this value contains \
one\nempty line and ends with a\nsingle \
line break, but does\nnot start with one.\n"
# Comments may follow a block
# scalar value. They must be
# less indented.
# Modifiers may be combined in any order.
indented and chomped: |2-
This has no newline.
also written as: |-2
This has no newline.
both are equal to: " This has no newline."
php: |
[
'empty' => '',
'literal' => "The \\ ' \" characters may be\nfreely used. Leading white\n space " +
"is significant.\n\nLine breaks are significant.\nThus this value contains one\n" +
"empty line and ends with a\nsingle line break, but does\nnot start with one.\n",
'is equal to' => "The \\ ' \" characters may be\nfreely used. Leading white\n space " +
"is significant.\n\nLine breaks are significant.\nThus this value contains one\n" +
"empty line and ends with a\nsingle line break, but does\nnot start with one.\n",
'indented and chomped' => ' This has no newline.',
'also written as' => ' This has no newline.',
'both are equal to' => ' This has no newline.'
[
---
test: Folded combinations
todo: true
yaml: |
empty: >
one paragraph: >
Line feeds are converted
to spaces, so this value
contains no line breaks
except for the final one.
multiple paragraphs: >2
An empty line, either
at the start or in
the value:
Is interpreted as a
line break. Thus this
value contains three
line breaks.
indented text: >
This is a folded
paragraph followed
by a list:
* first entry
* second entry
Followed by another
folded paragraph,
another list:
* first entry
* second entry
And a final folded
paragraph.
above is equal to: |
This is a folded paragraph followed by a list:
* first entry
* second entry
Followed by another folded paragraph, another list:
* first entry
* second entry
And a final folded paragraph.
# Explicit comments may follow
# but must be less indented.
php: |
[
'empty' => '',
'one paragraph' => 'Line feeds are converted to spaces, so this value'.
" contains no line breaks except for the final one.\n",
'multiple paragraphs' => "\nAn empty line, either at the start or in the value:\n".
"Is interpreted as a line break. Thus this value contains three line breaks.\n",
'indented text' => "This is a folded paragraph followed by a list:\n".
" * first entry\n * second entry\nFollowed by another folded paragraph, ".
"another list:\n\n * first entry\n\n * second entry\n\nAnd a final folded paragraph.\n",
'above is equal to' => "This is a folded paragraph followed by a list:\n".
" * first entry\n * second entry\nFollowed by another folded paragraph, ".
"another list:\n\n * first entry\n\n * second entry\n\nAnd a final folded paragraph.\n"
]
---
test: Single quotes
todo: true
yaml: |
empty: ''
second: '! : \ etc. can be used freely.'
third: 'a single quote '' must be escaped.'
span: 'this contains
six spaces
and one
line break'
is same as: "this contains six spaces\nand one line break"
php: |
[
'empty' => '',
'second' => '! : \\ etc. can be used freely.',
'third' => "a single quote ' must be escaped.",
'span' => "this contains six spaces\nand one line break",
'is same as' => "this contains six spaces\nand one line break"
]
---
test: Double quotes
todo: true
yaml: |
empty: ""
second: "! : etc. can be used freely."
third: "a \" or a \\ must be escaped."
fourth: "this value ends with an LF.\n"
span: "this contains
four \
spaces"
is equal to: "this contains four spaces"
php: |
[
'empty' => '',
'second' => '! : etc. can be used freely.',
'third' => 'a " or a \\ must be escaped.',
'fourth' => "this value ends with an LF.\n",
'span' => "this contains four spaces",
'is equal to' => "this contains four spaces"
]
---
test: Unquoted strings
todo: true
yaml: |
first: There is no unquoted empty string.
second: 12 ## This is an integer.
third: !!str 12 ## This is a string.
span: this contains
six spaces
and one
line break
indicators: this has no comments.
#:foo and bar# are
both text.
flow: [ can span
lines, # comment
like
this ]
note: { one-line keys: but multi-line values }
php: |
[
'first' => 'There is no unquoted empty string.',
'second' => 12,
'third' => '12',
'span' => "this contains six spaces\nand one line break",
'indicators' => "this has no comments. #:foo and bar# are both text.",
'flow' => [ 'can span lines', 'like this' ],
'note' => { 'one-line keys' => 'but multi-line values' }
]
---
test: Spanning sequences
todo: true
yaml: |
# The following are equal seqs
# with different identities.
flow: [ one, two ]
spanning: [ one,
two ]
block:
- one
- two
php: |
[
'flow' => [ 'one', 'two' ],
'spanning' => [ 'one', 'two' ],
'block' => [ 'one', 'two' ]
]
---
test: Flow mappings
yaml: |
# The following are equal maps
# with different identities.
flow: { one: 1, two: 2 }
block:
one: 1
two: 2
php: |
[
'flow' => [ 'one' => 1, 'two' => 2 ],
'block' => [ 'one' => 1, 'two' => 2 ]
]
---
test: Representations of 12
todo: true
yaml: |
- 12 # An integer
# The following scalars
# are loaded to the
# string value '1' '2'.
- !!str 12
- '12'
- "12"
- "\
1\
2\
"
# Strings containing paths and regexps can be unquoted:
- /foo/bar
- d:/foo/bar
- foo/bar
- /a.*b/
php: |
[ 12, '12', '12', '12', '12', '/foo/bar', 'd:/foo/bar', 'foo/bar', '/a.*b/' ]
---
test: "Null"
todo: true
yaml: |
canonical: ~
english: null
# This sequence has five
# entries, two with values.
sparse:
- ~
- 2nd entry
- Null
- 4th entry
-
four: This mapping has five keys,
only two with values.
php: |
[
'canonical' => null,
'english' => null,
'sparse' => [ null, '2nd entry', null, '4th entry', null ]],
'four' => 'This mapping has five keys, only two with values.'
]
---
test: Omap
todo: true
yaml: |
# Explicitly typed dictionary.
Bestiary: !omap
- aardvark: African pig-like ant eater. Ugly.
- anteater: South-American ant eater. Two species.
- anaconda: South-American constrictor snake. Scary.
# Etc.
ruby: |
{
'Bestiary' => YAML::Omap[
'aardvark', 'African pig-like ant eater. Ugly.',
'anteater', 'South-American ant eater. Two species.',
'anaconda', 'South-American constrictor snake. Scary.'
]
}
---
test: Pairs
todo: true
yaml: |
# Explicitly typed pairs.
tasks: !pairs
- meeting: with team.
- meeting: with boss.
- break: lunch.
- meeting: with client.
ruby: |
{
'tasks' => YAML::Pairs[
'meeting', 'with team.',
'meeting', 'with boss.',
'break', 'lunch.',
'meeting', 'with client.'
]
}
---
test: Set
todo: true
yaml: |
# Explicitly typed set.
baseball players: !set
Mark McGwire:
Sammy Sosa:
Ken Griffey:
ruby: |
{
'baseball players' => YAML::Set[
'Mark McGwire', nil,
'Sammy Sosa', nil,
'Ken Griffey', nil
]
}
---
test: Integer
yaml: |
canonical: 12345
octal: 014
hexadecimal: 0xC
php: |
[
'canonical' => 12345,
'octal' => 12,
'hexadecimal' => 12
]
---
test: Decimal
deprecated: true
yaml: |
decimal: +12,345
php: |
[
'decimal' => 12345.0,
]
---
test: Fixed Float
deprecated: true
yaml: |
fixed: 1,230.15
php: |
[
'fixed' => 1230.15,
]
---
test: Float
yaml: |
canonical: 1.23015e+3
exponential: 12.3015e+02
negative infinity: -.inf
not a number: .NaN
php: |
[
'canonical' => 1230.15,
'exponential' => 1230.15,
'negative infinity' => log(0),
'not a number' => -log(0)
]
---
test: Timestamp
todo: true
yaml: |
canonical: 2001-12-15T02:59:43.1Z
valid iso8601: 2001-12-14t21:59:43.10-05:00
space separated: 2001-12-14 21:59:43.10 -05:00
date (noon UTC): 2002-12-14
ruby: |
[
'canonical' => YAML::mktime( 2001, 12, 15, 2, 59, 43, 0.10 ),
'valid iso8601' => YAML::mktime( 2001, 12, 14, 21, 59, 43, 0.10, "-05:00" ),
'space separated' => YAML::mktime( 2001, 12, 14, 21, 59, 43, 0.10, "-05:00" ),
'date (noon UTC)' => Date.new( 2002, 12, 14 )
]
---
test: Binary
todo: true
yaml: |
canonical: !binary "\
R0lGODlhDAAMAIQAAP//9/X17unp5WZmZgAAAOfn515eXvPz7Y6OjuDg4J+fn5\
OTk6enp56enmlpaWNjY6Ojo4SEhP/++f/++f/++f/++f/++f/++f/++f/++f/+\
+f/++f/++f/++f/++f/++SH+Dk1hZGUgd2l0aCBHSU1QACwAAAAADAAMAAAFLC\
AgjoEwnuNAFOhpEMTRiggcz4BNJHrv/zCFcLiwMWYNG84BwwEeECcgggoBADs="
base64: !binary |
R0lGODlhDAAMAIQAAP//9/X17unp5WZmZgAAAOfn515eXvPz7Y6OjuDg4J+fn5
OTk6enp56enmlpaWNjY6Ojo4SEhP/++f/++f/++f/++f/++f/++f/++f/++f/+
+f/++f/++f/++f/++f/++SH+Dk1hZGUgd2l0aCBHSU1QACwAAAAADAAMAAAFLC
AgjoEwnuNAFOhpEMTRiggcz4BNJHrv/zCFcLiwMWYNG84BwwEeECcgggoBADs=
description: >
The binary value above is a tiny arrow
encoded as a gif image.
ruby-setup: |
arrow_gif = "GIF89a\f\000\f\000\204\000\000\377\377\367\365\365\356\351\351\345fff\000\000\000\347\347\347^^^\363\363\355\216\216\216\340\340\340\237\237\237\223\223\223\247\247\247\236\236\236iiiccc\243\243\243\204\204\204\377\376\371\377\376\371\377\376\371\377\376\371\377\376\371\377\376\371\377\376\371\377\376\371\377\376\371\377\376\371\377\376\371\377\376\371\377\376\371\377\376\371!\376\016Made with GIMP\000,\000\000\000\000\f\000\f\000\000\005, \216\2010\236\343@\024\350i\020\304\321\212\010\034\317\200M$z\357\3770\205p\270\2601f\r\e\316\001\303\001\036\020' \202\n\001\000;"
ruby: |
{
'canonical' => arrow_gif,
'base64' => arrow_gif,
'description' => "The binary value above is a tiny arrow encoded as a gif image.\n"
}
---
test: Merge key
todo: true
yaml: |
---
- &CENTER { x: 1, y: 2 }
- &LEFT { x: 0, y: 2 }
- &BIG { r: 10 }
- &SMALL { r: 1 }
# All the following maps are equal:
- # Explicit keys
x: 1
y: 2
r: 10
label: center/big
- # Merge one map
<< : *CENTER
r: 10
label: center/big
- # Merge multiple maps
<< : [ *CENTER, *BIG ]
label: center/big
- # Override
<< : [ *BIG, *LEFT, *SMALL ]
x: 1
label: center/big
ruby-setup: |
center = { 'x' => 1, 'y' => 2 }
left = { 'x' => 0, 'y' => 2 }
big = { 'r' => 10 }
small = { 'r' => 1 }
node1 = { 'x' => 1, 'y' => 2, 'r' => 10, 'label' => 'center/big' }
node2 = center.dup
node2.update( { 'r' => 10, 'label' => 'center/big' } )
node3 = big.dup
node3.update( center )
node3.update( { 'label' => 'center/big' } )
node4 = small.dup
node4.update( left )
node4.update( big )
node4.update( { 'x' => 1, 'label' => 'center/big' } )
ruby: |
[
center, left, big, small, node1, node2, node3, node4
]
---
test: Default key
todo: true
yaml: |
--- # Old schema
link with:
- library1.dll
- library2.dll
--- # New schema
link with:
- = : library1.dll
version: 1.2
- = : library2.dll
version: 2.3
ruby: |
y = YAML::Stream.new
y.add( { 'link with' => [ 'library1.dll', 'library2.dll' ] } )
obj_h = Hash[ 'version' => 1.2 ]
obj_h.default = 'library1.dll'
obj_h2 = Hash[ 'version' => 2.3 ]
obj_h2.default = 'library2.dll'
y.add( { 'link with' => [ obj_h, obj_h2 ] } )
documents: 2
---
test: Special keys
todo: true
yaml: |
"!": These three keys
"&": had to be quoted
"=": and are normal strings.
# NOTE: the following node should NOT be serialized this way.
encoded node :
!special '!' : '!type'
!special|canonical '&' : 12
= : value
# The proper way to serialize the above node is as follows:
node : !!type &12 value
ruby: |
{ '!' => 'These three keys', '&' => 'had to be quoted',
'=' => 'and are normal strings.',
'encoded node' => YAML::PrivateType.new( 'type', 'value' ),
'node' => YAML::PrivateType.new( 'type', 'value' ) }
yaml/Tests/Fixtures/YtsFoldedScalars.yml 0000644 00000007526 14716422132 0014366 0 ustar 00 --- %YAML:1.0
test: Single ending newline
brief: >
A pipe character, followed by an indented
block of text is treated as a literal
block, in which newlines are preserved
throughout the block, including the final
newline.
yaml: |
---
this: |
Foo
Bar
php: |
['this' => "Foo\nBar\n"]
---
test: The '+' indicator
brief: >
The '+' indicator says to keep newlines at the end of text
blocks.
yaml: |
normal: |
extra new lines not kept
preserving: |+
extra new lines are kept
dummy: value
php: |
[
'normal' => "extra new lines not kept\n",
'preserving' => "extra new lines are kept\n\n\n",
'dummy' => 'value'
]
---
test: Three trailing newlines in literals
brief: >
To give you more control over how space
is preserved in text blocks, YAML has
the keep '+' and chomp '-' indicators.
The keep indicator will preserve all
ending newlines, while the chomp indicator
will strip all ending newlines.
yaml: |
clipped: |
This has one newline.
same as "clipped" above: "This has one newline.\n"
stripped: |-
This has no newline.
same as "stripped" above: "This has no newline."
kept: |+
This has four newlines.
same as "kept" above: "This has four newlines.\n\n\n\n"
php: |
[
'clipped' => "This has one newline.\n",
'same as "clipped" above' => "This has one newline.\n",
'stripped' => 'This has no newline.',
'same as "stripped" above' => 'This has no newline.',
'kept' => "This has four newlines.\n\n\n\n",
'same as "kept" above' => "This has four newlines.\n\n\n\n"
]
---
test: Extra trailing newlines with spaces
todo: true
brief: >
Normally, only a single newline is kept
from the end of a literal block, unless the
keep '+' character is used in combination
with the pipe. The following example
will preserve all ending whitespace
since the last line of both literal blocks
contains spaces which extend past the indentation
level.
yaml: |
---
this: |
Foo
kept: |+
Foo
php: |
['this' => "Foo\n\n \n",
'kept' => "Foo\n\n \n"]
---
test: Folded Block in a Sequence
brief: >
A greater-then character, followed by an indented
block of text is treated as a folded block, in
which lines of text separated by a single newline
are concatenated as a single line.
yaml: |
---
- apple
- banana
- >
can't you see
the beauty of yaml?
hmm
- dog
php: |
[
'apple',
'banana',
"can't you see the beauty of yaml? hmm\n",
'dog'
]
---
test: Folded Block as a Mapping Value
brief: >
Both literal and folded blocks can be
used in collections, as values in a
sequence or a mapping.
yaml: |
---
quote: >
Mark McGwire's
year was crippled
by a knee injury.
source: espn
php: |
[
'quote' => "Mark McGwire's year was crippled by a knee injury.\n",
'source' => 'espn'
]
---
test: Three trailing newlines in folded blocks
brief: >
The keep and chomp indicators can also
be applied to folded blocks.
yaml: |
clipped: >
This has one newline.
same as "clipped" above: "This has one newline.\n"
stripped: >-
This has no newline.
same as "stripped" above: "This has no newline."
kept: >+
This has four newlines.
same as "kept" above: "This has four newlines.\n\n\n\n"
php: |
[
'clipped' => "This has one newline.\n",
'same as "clipped" above' => "This has one newline.\n",
'stripped' => 'This has no newline.',
'same as "stripped" above' => 'This has no newline.',
'kept' => "This has four newlines.\n\n\n\n",
'same as "kept" above' => "This has four newlines.\n\n\n\n"
]
yaml/Tests/Fixtures/sfCompact.yml 0000644 00000005272 14716422132 0013073 0 ustar 00 --- %YAML:1.0
test: Compact notation
brief: |
Compact notation for sets of mappings with single element
yaml: |
---
# products purchased
- item : Super Hoop
- item : Basketball
quantity: 1
- item:
name: Big Shoes
nick: Biggies
quantity: 1
php: |
[
[
'item' => 'Super Hoop',
],
[
'item' => 'Basketball',
'quantity' => 1,
],
[
'item' => [
'name' => 'Big Shoes',
'nick' => 'Biggies'
],
'quantity' => 1
]
]
---
test: Compact notation combined with inline notation
brief: |
Combinations of compact and inline notation are allowed
yaml: |
---
items:
- { item: Super Hoop, quantity: 1 }
- [ Basketball, Big Shoes ]
php: |
[
'items' => [
[
'item' => 'Super Hoop',
'quantity' => 1,
],
[
'Basketball',
'Big Shoes'
]
]
]
--- %YAML:1.0
test: Compact notation
brief: |
Compact notation for sets of mappings with single element
yaml: |
---
# products purchased
- item : Super Hoop
- item : Basketball
quantity: 1
- item:
name: Big Shoes
nick: Biggies
quantity: 1
php: |
[
[
'item' => 'Super Hoop',
],
[
'item' => 'Basketball',
'quantity' => 1,
],
[
'item' => [
'name' => 'Big Shoes',
'nick' => 'Biggies'
],
'quantity' => 1
]
]
---
test: Compact notation combined with inline notation
brief: |
Combinations of compact and inline notation are allowed
yaml: |
---
items:
- { item: Super Hoop, quantity: 1 }
- [ Basketball, Big Shoes ]
php: |
[
'items' => [
[
'item' => 'Super Hoop',
'quantity' => 1,
],
[
'Basketball',
'Big Shoes'
]
]
]
--- %YAML:1.0
test: Compact notation
brief: |
Compact notation for sets of mappings with single element
yaml: |
---
# products purchased
- item : Super Hoop
- item : Basketball
quantity: 1
- item:
name: Big Shoes
nick: Biggies
quantity: 1
php: |
[
[
'item' => 'Super Hoop',
],
[
'item' => 'Basketball',
'quantity' => 1,
],
[
'item' => [
'name' => 'Big Shoes',
'nick' => 'Biggies'
],
'quantity' => 1
]
]
---
test: Compact notation combined with inline notation
brief: |
Combinations of compact and inline notation are allowed
yaml: |
---
items:
- { item: Super Hoop, quantity: 1 }
- [ Basketball, Big Shoes ]
php: |
[
'items' => [
[
'item' => 'Super Hoop',
'quantity' => 1,
],
[
'Basketball',
'Big Shoes'
]
]
]
yaml/Tests/Fixtures/YtsNullsAndEmpties.yml 0000644 00000001215 14716422132 0014714 0 ustar 00 --- %YAML:1.0
test: Empty Sequence
brief: >
You can represent the empty sequence
with an empty inline sequence.
yaml: |
empty: []
php: |
['empty' => []]
---
test: Empty Mapping
brief: >
You can represent the empty mapping
with an empty inline mapping.
yaml: |
empty: {}
php: |
['empty' => []]
---
test: Empty Sequence as Entire Document
yaml: |
[]
php: |
[]
---
test: Empty Mapping as Entire Document
yaml: |
{}
php: |
[]
---
test: Null as Document
yaml: |
~
php: |
null
---
test: Empty String
brief: >
You can represent an empty string
with a pair of quotes.
yaml: |
''
php: |
''
yaml/Tests/Fixtures/legacyNonStringKeys.yml 0000644 00000000062 14716422132 0015106 0 ustar 00 - legacyBooleanMappingKeys
- legacyNullMappingKey
yaml/Tests/Fixtures/YtsBasicTests.yml 0000644 00000010260 14716422132 0013711 0 ustar 00 --- %YAML:1.0
test: Simple Sequence
brief: |
You can specify a list in YAML by placing each
member of the list on a new line with an opening
dash. These lists are called sequences.
yaml: |
- apple
- banana
- carrot
php: |
['apple', 'banana', 'carrot']
---
test: Sequence With Item Being Null In The Middle
brief: |
You can specify a list in YAML by placing each
member of the list on a new line with an opening
dash. These lists are called sequences.
yaml: |
- apple
-
- carrot
php: |
['apple', null, 'carrot']
---
test: Sequence With Last Item Being Null
brief: |
You can specify a list in YAML by placing each
member of the list on a new line with an opening
dash. These lists are called sequences.
yaml: |
- apple
- banana
-
php: |
['apple', 'banana', null]
---
test: Nested Sequences
brief: |
You can include a sequence within another
sequence by giving the sequence an empty
dash, followed by an indented list.
yaml: |
-
- foo
- bar
- baz
php: |
[['foo', 'bar', 'baz']]
---
test: Mixed Sequences
brief: |
Sequences can contain any YAML data,
including strings and other sequences.
yaml: |
- apple
-
- foo
- bar
- x123
- banana
- carrot
php: |
['apple', ['foo', 'bar', 'x123'], 'banana', 'carrot']
---
test: Deeply Nested Sequences
brief: |
Sequences can be nested even deeper, with each
level of indentation representing a level of
depth.
yaml: |
-
-
- uno
- dos
php: |
[[['uno', 'dos']]]
---
test: Simple Mapping
brief: |
You can add a keyed list (also known as a dictionary or
hash) to your document by placing each member of the
list on a new line, with a colon separating the key
from its value. In YAML, this type of list is called
a mapping.
yaml: |
foo: whatever
bar: stuff
php: |
['foo' => 'whatever', 'bar' => 'stuff']
---
test: Sequence in a Mapping
brief: |
A value in a mapping can be a sequence.
yaml: |
foo: whatever
bar:
- uno
- dos
php: |
['foo' => 'whatever', 'bar' => ['uno', 'dos']]
---
test: Nested Mappings
brief: |
A value in a mapping can be another mapping.
yaml: |
foo: whatever
bar:
fruit: apple
name: steve
sport: baseball
php: |
[
'foo' => 'whatever',
'bar' => [
'fruit' => 'apple',
'name' => 'steve',
'sport' => 'baseball'
]
]
---
test: Mixed Mapping
brief: |
A mapping can contain any assortment
of mappings and sequences as values.
yaml: |
foo: whatever
bar:
-
fruit: apple
name: steve
sport: baseball
- more
-
python: rocks
perl: papers
ruby: scissorses
php: |
[
'foo' => 'whatever',
'bar' => [
[
'fruit' => 'apple',
'name' => 'steve',
'sport' => 'baseball'
],
'more',
[
'python' => 'rocks',
'perl' => 'papers',
'ruby' => 'scissorses'
]
]
]
---
test: Mapping-in-Sequence Shortcut
todo: true
brief: |
If you are adding a mapping to a sequence, you
can place the mapping on the same line as the
dash as a shortcut.
yaml: |
- work on YAML.py:
- work on Store
php: |
[['work on YAML.py' => ['work on Store']]]
---
test: Sequence-in-Mapping Shortcut
todo: true
brief: |
The dash in a sequence counts as indentation, so
you can add a sequence inside of a mapping without
needing spaces as indentation.
yaml: |
allow:
- 'localhost'
- '%.sourceforge.net'
- '%.freepan.org'
php: |
['allow' => ['localhost', '%.sourceforge.net', '%.freepan.org']]
---
todo: true
test: Merge key
brief: |
A merge key ('<<') can be used in a mapping to insert other mappings. If
the value associated with the merge key is a mapping, each of its key/value
pairs is inserted into the current mapping.
yaml: |
mapping:
name: Joe
job: Accountant
<<:
age: 38
php: |
[
'mapping' =>
[
'name' => 'Joe',
'job' => 'Accountant',
'age' => 38
]
]
yaml/Tests/Fixtures/index.yml 0000644 00000000470 14716422132 0012256 0 ustar 00 - escapedCharacters
- sfComments
- sfCompact
- sfTests
- sfObjects
- sfMergeKey
- sfQuotes
- YtsAnchorAlias
- YtsBasicTests
- YtsBlockMapping
- YtsDocumentSeparator
- YtsErrorTests
- YtsFlowCollections
- YtsFoldedScalars
- YtsNullsAndEmpties
- YtsSpecificationExamples
- YtsTypeTransfers
- unindentedCollections
yaml/Tests/Fixtures/escapedCharacters.yml 0000644 00000004264 14716422132 0014560 0 ustar 00 test: outside double quotes
yaml: |
\0 \ \a \b \n
php: |
"\\0 \\ \\a \\b \\n"
---
test: 'null'
yaml: |
"\0"
php: |
"\x00"
---
test: bell
yaml: |
"\a"
php: |
"\x07"
---
test: backspace
yaml: |
"\b"
php: |
"\x08"
---
test: horizontal tab (1)
yaml: |
"\t"
php: |
"\x09"
---
test: horizontal tab (2)
yaml: |
"\ "
php: |
"\x09"
---
test: line feed
yaml: |
"\n"
php: |
"\x0a"
---
test: vertical tab
yaml: |
"\v"
php: |
"\x0b"
---
test: form feed
yaml: |
"\f"
php: |
"\x0c"
---
test: carriage return
yaml: |
"\r"
php: |
"\x0d"
---
test: escape
yaml: |
"\e"
php: |
"\x1b"
---
test: space
yaml: |
"\ "
php: |
"\x20"
---
test: slash
yaml: |
"\/"
php: |
"\x2f"
---
test: backslash
yaml: |
"\\"
php: |
"\\"
---
test: Unicode next line
yaml: |
"\N"
php: |
"\xc2\x85"
---
test: Unicode non-breaking space
yaml: |
"\_"
php: |
"\xc2\xa0"
---
test: Unicode line separator
yaml: |
"\L"
php: |
"\xe2\x80\xa8"
---
test: Unicode paragraph separator
yaml: |
"\P"
php: |
"\xe2\x80\xa9"
---
test: Escaped 8-bit Unicode
yaml: |
"\x42"
php: |
"B"
---
test: Escaped 16-bit Unicode
yaml: |
"\u20ac"
php: |
"\xe2\x82\xac"
---
test: Escaped 32-bit Unicode
yaml: |
"\U00000043"
php: |
"C"
---
test: Example 5.13 Escaped Characters
note: |
Currently throws an error parsing first line. Maybe Symfony Yaml doesn't support
continuation of string across multiple lines? Keeping test here but disabled.
todo: true
yaml: |
"Fun with \\
\" \a \b \e \f \
\n \r \t \v \0 \
\ \_ \N \L \P \
\x41 \u0041 \U00000041"
php: |
"Fun with \x5C\n\x22 \x07 \x08 \x1B \x0C\n\x0A \x0D \x09 \x0B \x00\n\x20 \xA0 \x85 \xe2\x80\xa8 \xe2\x80\xa9\nA A A"
---
test: Double quotes with a line feed
yaml: |
{ double: "some value\n \"some quoted string\" and 'some single quotes one'" }
php: |
[
'double' => "some value\n \"some quoted string\" and 'some single quotes one'"
]
---
test: Backslashes
yaml: |
{ single: 'foo\Var', no-quotes: foo\Var, double: "foo\\Var" }
php: |
[
'single' => 'foo\Var', 'no-quotes' => 'foo\Var', 'double' => 'foo\Var'
]
yaml/Tests/Fixtures/sfComments.yml 0000644 00000003151 14716422132 0013264 0 ustar 00 --- %YAML:1.0
test: Comments at the end of a line
brief: >
Comments at the end of a line
yaml: |
ex1: "foo # bar"
ex2: "foo # bar" # comment
ex3: 'foo # bar' # comment
ex4: foo # comment
ex5: foo # comment with tab before
ex6: foo#foo # comment here
ex7: foo # ignore me # and me
php: |
['ex1' => 'foo # bar', 'ex2' => 'foo # bar', 'ex3' => 'foo # bar', 'ex4' => 'foo', 'ex5' => 'foo', 'ex6' => 'foo#foo', 'ex7' => 'foo']
---
test: Comments in the middle
brief: >
Comments in the middle
yaml: |
foo:
# some comment
# some comment
bar: foo
# some comment
# some comment
php: |
['foo' => ['bar' => 'foo']]
---
test: Comments on a hash line
brief: >
Comments on a hash line
yaml: |
foo: # a comment
foo: bar # a comment
php: |
['foo' => ['foo' => 'bar']]
---
test: 'Value starting with a #'
brief: >
'Value starting with a #'
yaml: |
foo: '#bar'
php: |
['foo' => '#bar']
---
test: Document starting with a comment and a separator
brief: >
Commenting before document start is allowed
yaml: |
# document comment
---
foo: bar # a comment
php: |
['foo' => 'bar']
---
test: Comment containing a colon on a hash line
brief: >
Comment containing a colon on a scalar line
yaml: 'foo # comment: this is also part of the comment'
php: |
'foo'
---
test: 'Hash key containing a #'
brief: >
'Hash key containing a #'
yaml: 'foo#bar: baz'
php: |
['foo#bar' => 'baz']
---
test: 'Hash key ending with a space and a #'
brief: >
'Hash key ending with a space and a #'
yaml: |
'foo #': baz
php: |
['foo #' => 'baz']
yaml/Tests/error_log; 0000644 00000165073 14716422132 0010636 0 ustar 00 [13-Sep-2023 20:45:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[19-Sep-2023 13:14:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[29-Sep-2023 12:41:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[29-Sep-2023 12:41:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[29-Sep-2023 12:41:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[29-Sep-2023 12:41:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[29-Sep-2023 12:41:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[29-Sep-2023 16:06:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[29-Sep-2023 16:06:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[29-Sep-2023 16:06:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[29-Sep-2023 16:06:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[29-Sep-2023 16:06:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[30-Sep-2023 17:59:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[30-Sep-2023 17:59:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[30-Sep-2023 17:59:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[30-Sep-2023 17:59:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[30-Sep-2023 18:00:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[30-Sep-2023 19:31:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[30-Sep-2023 19:31:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[30-Sep-2023 19:31:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[30-Sep-2023 19:31:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[30-Sep-2023 19:31:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[12-Oct-2023 22:28:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[06-Nov-2023 05:09:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[22-Nov-2023 06:42:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[22-Nov-2023 06:42:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[22-Nov-2023 06:42:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[22-Nov-2023 06:42:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[22-Nov-2023 06:42:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[22-Nov-2023 15:06:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[22-Nov-2023 15:06:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[22-Nov-2023 15:06:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[22-Nov-2023 15:06:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[22-Nov-2023 15:06:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[22-Nov-2023 23:59:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[22-Nov-2023 23:59:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[22-Nov-2023 23:59:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[22-Nov-2023 23:59:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[22-Nov-2023 23:59:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[23-Nov-2023 07:59:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[23-Nov-2023 16:38:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[23-Nov-2023 16:50:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[23-Nov-2023 16:50:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[23-Nov-2023 16:50:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[23-Nov-2023 16:50:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[23-Nov-2023 16:50:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[28-Nov-2023 15:11:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[04-Jan-2024 16:57:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[08-Jan-2024 08:47:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[10-Jan-2024 07:43:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[11-Jan-2024 23:30:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[15-Jan-2024 18:54:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[16-Feb-2024 19:00:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[17-Feb-2024 10:27:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[17-Feb-2024 12:16:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[18-Feb-2024 06:55:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[20-Feb-2024 03:29:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[20-Feb-2024 10:34:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[29-Feb-2024 00:32:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[07-Mar-2024 06:06:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[07-Mar-2024 10:08:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[09-Mar-2024 23:13:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[09-Mar-2024 23:25:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv[10-Mar-2024 07:59:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[12-Mar-2024 19:50:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[15-Mar-2024 18:39:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[11-Apr-2024 05:21:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[11-Apr-2024 06:45:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[11-Apr-2024 06:46:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[11-Apr-2024 06:50:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[11-Apr-2024 06:54:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[21-Apr-2024 03:10:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[22-Apr-2024 04:14:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[23-Apr-2024 11:30:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[23-Apr-2024 19:44:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[24-Apr-2024 08:31:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[24-Apr-2024 22:03:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[28-Apr-2024 06:20:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[02-May-2024 13:22:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[03-May-2024 19:13:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[04-May-2024 21:24:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[04-May-2024 21:30:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[04-May-2024 21:31:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[04-May-2024 21:52:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[04-May-2024 22:15:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[04-May-2024 22:15:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[04-May-2024 22:15:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[04-May-2024 22:15:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[04-May-2024 22:16:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[04-May-2024 22:21:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[05-May-2024 08:12:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[05-May-2024 08:12:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[05-May-2024 08:12:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[05-May-2024 08:12:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[05-May-2024 08:12:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[05-May-2024 18:27:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[05-May-2024 18:27:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[05-May-2024 18:27:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[05-May-2024 18:27:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[05-May-2024 18:27:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[09-May-2024 06:28:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[14-May-2024 12:49:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[14-May-2024 12:49:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[14-May-2024 12:49:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[14-May-2024 12:49:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[14-May-2024 12:49:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[19-May-2024 23:08:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[20-May-2024 00:32:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[20-May-2024 00:40:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[20-May-2024 03:40:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[20-May-2024 08:27:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[25-May-2024 21:08:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[25-May-2024 21:35:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[25-May-2024 21:40:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[25-May-2024 22:51:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[26-May-2024 00:52:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[28-May-2024 17:25:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[28-May-2024 18:55:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[29-May-2024 09:03:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[29-May-2024 13:44:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[31-May-2024 02:03:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[31-May-2024 02:06:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[03-Jun-2024 14:05:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[03-Jun-2024 19:01:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[08-Jun-2024 22:14:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[09-Jun-2024 07:33:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[14-Jun-2024 22:39:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[14-Jun-2024 23:43:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[14-Jun-2024 23:57:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[15-Jun-2024 00:00:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[15-Jun-2024 00:21:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[15-Jun-2024 04:00:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[15-Jun-2024 16:48:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[15-Jun-2024 16:48:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[15-Jun-2024 16:48:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[15-Jun-2024 16:48:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[15-Jun-2024 16:48:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[18-Jun-2024 19:45:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[18-Jun-2024 19:45:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[18-Jun-2024 19:45:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[18-Jun-2024 19:45:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[18-Jun-2024 19:45:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[19-Jun-2024 04:46:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[19-Jun-2024 04:46:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[19-Jun-2024 04:46:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[19-Jun-2024 04:46:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[19-Jun-2024 04:46:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[19-Jun-2024 16:09:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[19-Jun-2024 16:09:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[19-Jun-2024 16:09:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[19-Jun-2024 16:09:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[19-Jun-2024 16:09:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[21-Jun-2024 04:50:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[21-Jun-2024 05:02:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[21-Jun-2024 05:04:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[21-Jun-2024 05:05:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[21-Jun-2024 06:41:30 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[27-Jun-2024 01:59:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[27-Jun-2024 07:31:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[27-Jun-2024 07:42:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[27-Jun-2024 07:49:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[27-Jun-2024 09:24:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[28-Jun-2024 18:13:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[28-Jun-2024 22:40:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[29-Jun-2024 01:08:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[01-Jul-2024 04:36:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[06-Jul-2024 14:27:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[07-Jul-2024 01:42:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[07-Jul-2024 05:36:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[07-Jul-2024 08:30:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[07-Jul-2024 09:23:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[07-Jul-2024 11:36:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[07-Jul-2024 12:13:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[08-Jul-2024 01:12:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[08-Jul-2024 04:33:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[11-Jul-2024 15:51:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[15-Jul-2024 07:06:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[17-Jul-2024 20:47:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[22-Jul-2024 05:26:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[22-Jul-2024 08:01:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[22-Jul-2024 09:55:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[22-Jul-2024 09:59:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[22-Jul-2024 10:18:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[22-Jul-2024 16:49:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[22-Jul-2024 16:49:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[22-Jul-2024 16:49:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[22-Jul-2024 16:49:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[22-Jul-2024 16:49:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[28-Jul-2024 04:40:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[28-Jul-2024 06:12:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[28-Jul-2024 07:59:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[28-Jul-2024 08:04:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[28-Jul-2024 08:58:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[07-Aug-2024 09:36:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[09-Aug-2024 06:34:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[09-Aug-2024 17:24:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[13-Aug-2024 18:36:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[16-Aug-2024 21:40:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[17-Aug-2024 01:51:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[17-Aug-2024 05:01:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[17-Aug-2024 09:03:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[17-Aug-2024 10:50:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[17-Aug-2024 11:06:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[17-Aug-2024 12:28:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[17-Aug-2024 14:13:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[17-Aug-2024 15:40:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[17-Aug-2024 19:34:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[18-Aug-2024 16:03:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[23-Aug-2024 09:40:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[23-Aug-2024 18:27:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[23-Aug-2024 21:31:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[24-Aug-2024 04:28:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[24-Aug-2024 05:18:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[24-Aug-2024 05:29:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[24-Aug-2024 19:54:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[29-Aug-2024 18:43:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[29-Aug-2024 20:48:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[30-Aug-2024 04:32:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[30-Aug-2024 07:54:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[30-Aug-2024 09:16:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[30-Aug-2024 14:37:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[30-Aug-2024 14:37:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[30-Aug-2024 14:37:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[30-Aug-2024 14:37:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[30-Aug-2024 14:37:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[30-Aug-2024 14:37:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[30-Aug-2024 14:37:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[30-Aug-2024 14:37:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[30-Aug-2024 14:37:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[30-Aug-2024 14:38:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[01-Sep-2024 20:26:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[01-Sep-2024 20:26:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[01-Sep-2024 20:26:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[01-Sep-2024 20:26:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[01-Sep-2024 20:26:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[01-Sep-2024 23:10:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[03-Sep-2024 23:26:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[04-Sep-2024 21:09:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[05-Sep-2024 00:52:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[05-Sep-2024 02:16:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[08-Sep-2024 03:01:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[09-Sep-2024 09:17:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[11-Sep-2024 20:23:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[11-Sep-2024 20:23:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[11-Sep-2024 20:24:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[11-Sep-2024 20:24:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[11-Sep-2024 20:24:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[15-Sep-2024 10:26:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[15-Sep-2024 11:28:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[15-Sep-2024 22:20:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[20-Sep-2024 09:00:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[20-Sep-2024 10:17:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[20-Sep-2024 14:32:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[20-Sep-2024 17:47:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[20-Sep-2024 21:11:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[21-Sep-2024 04:08:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[21-Sep-2024 04:27:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[22-Sep-2024 13:11:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[22-Sep-2024 18:24:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[22-Sep-2024 20:07:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[28-Sep-2024 14:24:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[28-Sep-2024 20:07:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[29-Sep-2024 06:17:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[29-Sep-2024 08:33:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[30-Sep-2024 21:44:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[01-Oct-2024 21:44:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[10-Oct-2024 18:58:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[11-Oct-2024 22:55:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[12-Oct-2024 05:21:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[17-Oct-2024 16:42:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[18-Oct-2024 07:09:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[18-Oct-2024 12:27:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[18-Oct-2024 12:28:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[18-Oct-2024 12:31:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[18-Oct-2024 12:32:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[18-Oct-2024 18:04:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[19-Oct-2024 06:00:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[20-Oct-2024 04:23:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[22-Oct-2024 22:24:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[23-Oct-2024 04:27:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[23-Oct-2024 07:04:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[23-Oct-2024 11:49:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[23-Oct-2024 20:22:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[25-Oct-2024 06:08:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[28-Oct-2024 22:07:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[29-Oct-2024 01:34:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[29-Oct-2024 01:34:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[29-Oct-2024 01:34:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[29-Oct-2024 01:34:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[29-Oct-2024 01:34:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[29-Oct-2024 06:52:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[30-Oct-2024 02:00:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[30-Oct-2024 08:22:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[01-Nov-2024 15:05:29 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[03-Nov-2024 13:19:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[04-Nov-2024 20:01:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[06-Nov-2024 12:18:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[06-Nov-2024 12:18:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[06-Nov-2024 12:19:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[06-Nov-2024 12:19:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[06-Nov-2024 12:19:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
[11-Nov-2024 22:08:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/YamlTest.php on line 17
[11-Nov-2024 22:08:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParserTest.php on line 19
[11-Nov-2024 22:08:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/InlineTest.php on line 19
[11-Nov-2024 22:08:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/DumperTest.php on line 20
[11-Nov-2024 22:08:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/ParseExceptionTest.php on line 17
yaml/Tests/YamlTest.php 0000644 00000002221 14716422132 0011062 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Yaml\Yaml;
class YamlTest extends TestCase
{
public function testParseAndDump()
{
$data = ['lorem' => 'ipsum', 'dolor' => 'sit'];
$yml = Yaml::dump($data);
$parsed = Yaml::parse($yml);
$this->assertEquals($data, $parsed);
}
public function testZeroIndentationThrowsException()
{
$this->expectException('InvalidArgumentException');
$this->expectExceptionMessage('The indentation must be greater than zero');
Yaml::dump(['lorem' => 'ipsum', 'dolor' => 'sit'], 2, 0);
}
public function testNegativeIndentationThrowsException()
{
$this->expectException('InvalidArgumentException');
$this->expectExceptionMessage('The indentation must be greater than zero');
Yaml::dump(['lorem' => 'ipsum', 'dolor' => 'sit'], 2, -4);
}
}
yaml/Tests/ParserTest.php 0000644 00000152143 14716422132 0011425 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Yaml\Parser;
use Symfony\Component\Yaml\Tag\TaggedValue;
use Symfony\Component\Yaml\Yaml;
class ParserTest extends TestCase
{
/** @var Parser */
protected $parser;
protected function setUp()
{
$this->parser = new Parser();
}
protected function tearDown()
{
$this->parser = null;
chmod(__DIR__.'/Fixtures/not_readable.yml', 0644);
}
/**
* @dataProvider getDataFormSpecifications
*/
public function testSpecifications($expected, $yaml, $comment, $deprecated)
{
$deprecations = [];
if ($deprecated) {
set_error_handler(function ($type, $msg) use (&$deprecations) {
if (E_USER_DEPRECATED !== $type) {
restore_error_handler();
return \call_user_func_array('PHPUnit\Util\ErrorHandler::handleError', \func_get_args());
}
$deprecations[] = $msg;
return null;
});
}
$this->assertEquals($expected, var_export($this->parser->parse($yaml), true), $comment);
if ($deprecated) {
restore_error_handler();
$this->assertCount(1, $deprecations);
$this->assertStringContainsString(true !== $deprecated ? $deprecated : 'Using the comma as a group separator for floats is deprecated since Symfony 3.2 and will be removed in 4.0 on line 1.', $deprecations[0]);
}
}
public function getDataFormSpecifications()
{
return $this->loadTestsFromFixtureFiles('index.yml');
}
/**
* @group legacy
* @expectedDeprecationMessage Using the Yaml::PARSE_KEYS_AS_STRINGS flag is deprecated since Symfony 3.4 as it will be removed in 4.0. Quote your keys when they are evaluable
* @dataProvider getNonStringMappingKeysData
*/
public function testNonStringMappingKeys($expected, $yaml, $comment)
{
$this->assertSame($expected, var_export($this->parser->parse($yaml, Yaml::PARSE_KEYS_AS_STRINGS), true), $comment);
}
public function getNonStringMappingKeysData()
{
return $this->loadTestsFromFixtureFiles('nonStringKeys.yml');
}
/**
* @group legacy
* @dataProvider getLegacyNonStringMappingKeysData
*/
public function testLegacyNonStringMappingKeys($expected, $yaml, $comment)
{
$this->assertSame($expected, var_export($this->parser->parse($yaml), true), $comment);
}
public function getLegacyNonStringMappingKeysData()
{
return $this->loadTestsFromFixtureFiles('legacyNonStringKeys.yml');
}
public function testTabsInYaml()
{
// test tabs in YAML
$yamls = [
"foo:\n bar",
"foo:\n bar",
"foo:\n bar",
"foo:\n bar",
];
foreach ($yamls as $yaml) {
try {
$this->parser->parse($yaml);
$this->fail('YAML files must not contain tabs');
} catch (\Exception $e) {
$this->assertInstanceOf('\Exception', $e, 'YAML files must not contain tabs');
$this->assertEquals('A YAML file cannot contain tabs as indentation at line 2 (near "'.strpbrk($yaml, "\t").'").', $e->getMessage(), 'YAML files must not contain tabs');
}
}
}
public function testEndOfTheDocumentMarker()
{
$yaml = <<<'EOF'
--- %YAML:1.0
foo
...
EOF;
$this->assertEquals('foo', $this->parser->parse($yaml));
}
public function getBlockChompingTests()
{
$tests = [];
$yaml = <<<'EOF'
foo: |-
one
two
bar: |-
one
two
EOF;
$expected = [
'foo' => "one\ntwo",
'bar' => "one\ntwo",
];
$tests['Literal block chomping strip with single trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: |-
one
two
bar: |-
one
two
EOF;
$expected = [
'foo' => "one\ntwo",
'bar' => "one\ntwo",
];
$tests['Literal block chomping strip with multiple trailing newlines'] = [$expected, $yaml];
$yaml = <<<'EOF'
{}
EOF;
$expected = [];
$tests['Literal block chomping strip with multiple trailing newlines after a 1-liner'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: |-
one
two
bar: |-
one
two
EOF;
$expected = [
'foo' => "one\ntwo",
'bar' => "one\ntwo",
];
$tests['Literal block chomping strip without trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: |
one
two
bar: |
one
two
EOF;
$expected = [
'foo' => "one\ntwo\n",
'bar' => "one\ntwo\n",
];
$tests['Literal block chomping clip with single trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: |
one
two
bar: |
one
two
EOF;
$expected = [
'foo' => "one\ntwo\n",
'bar' => "one\ntwo\n",
];
$tests['Literal block chomping clip with multiple trailing newlines'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo:
- bar: |
one
two
EOF;
$expected = [
'foo' => [
[
'bar' => "one\n\ntwo",
],
],
];
$tests['Literal block chomping clip with embedded blank line inside unindented collection'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: |
one
two
bar: |
one
two
EOF;
$expected = [
'foo' => "one\ntwo\n",
'bar' => "one\ntwo",
];
$tests['Literal block chomping clip without trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: |+
one
two
bar: |+
one
two
EOF;
$expected = [
'foo' => "one\ntwo\n",
'bar' => "one\ntwo\n",
];
$tests['Literal block chomping keep with single trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: |+
one
two
bar: |+
one
two
EOF;
$expected = [
'foo' => "one\ntwo\n\n",
'bar' => "one\ntwo\n\n",
];
$tests['Literal block chomping keep with multiple trailing newlines'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: |+
one
two
bar: |+
one
two
EOF;
$expected = [
'foo' => "one\ntwo\n",
'bar' => "one\ntwo",
];
$tests['Literal block chomping keep without trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: >-
one
two
bar: >-
one
two
EOF;
$expected = [
'foo' => 'one two',
'bar' => 'one two',
];
$tests['Folded block chomping strip with single trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: >-
one
two
bar: >-
one
two
EOF;
$expected = [
'foo' => 'one two',
'bar' => 'one two',
];
$tests['Folded block chomping strip with multiple trailing newlines'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: >-
one
two
bar: >-
one
two
EOF;
$expected = [
'foo' => 'one two',
'bar' => 'one two',
];
$tests['Folded block chomping strip without trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: >
one
two
bar: >
one
two
EOF;
$expected = [
'foo' => "one two\n",
'bar' => "one two\n",
];
$tests['Folded block chomping clip with single trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: >
one
two
bar: >
one
two
EOF;
$expected = [
'foo' => "one two\n",
'bar' => "one two\n",
];
$tests['Folded block chomping clip with multiple trailing newlines'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: >
one
two
bar: >
one
two
EOF;
$expected = [
'foo' => "one two\n",
'bar' => 'one two',
];
$tests['Folded block chomping clip without trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: >+
one
two
bar: >+
one
two
EOF;
$expected = [
'foo' => "one two\n",
'bar' => "one two\n",
];
$tests['Folded block chomping keep with single trailing newline'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: >+
one
two
bar: >+
one
two
EOF;
$expected = [
'foo' => "one two\n\n",
'bar' => "one two\n\n",
];
$tests['Folded block chomping keep with multiple trailing newlines'] = [$expected, $yaml];
$yaml = <<<'EOF'
foo: >+
one
two
bar: >+
one
two
EOF;
$expected = [
'foo' => "one two\n",
'bar' => 'one two',
];
$tests['Folded block chomping keep without trailing newline'] = [$expected, $yaml];
return $tests;
}
/**
* @dataProvider getBlockChompingTests
*/
public function testBlockChomping($expected, $yaml)
{
$this->assertSame($expected, $this->parser->parse($yaml));
}
/**
* Regression test for issue #7989.
*
* @see https://github.com/symfony/symfony/issues/7989
*/
public function testBlockLiteralWithLeadingNewlines()
{
$yaml = <<<'EOF'
foo: |-
bar
EOF;
$expected = [
'foo' => "\n\nbar",
];
$this->assertSame($expected, $this->parser->parse($yaml));
}
public function testObjectSupportEnabled()
{
$input = <<<'EOF'
foo: !php/object O:30:"Symfony\Component\Yaml\Tests\B":1:{s:1:"b";s:3:"foo";}
bar: 1
EOF;
$this->assertEquals(['foo' => new B(), 'bar' => 1], $this->parser->parse($input, Yaml::PARSE_OBJECT), '->parse() is able to parse objects');
}
/**
* @group legacy
*/
public function testObjectSupportEnabledPassingTrue()
{
$input = <<<'EOF'
foo: !php/object:O:30:"Symfony\Component\Yaml\Tests\B":1:{s:1:"b";s:3:"foo";}
bar: 1
EOF;
$this->assertEquals(['foo' => new B(), 'bar' => 1], $this->parser->parse($input, false, true), '->parse() is able to parse objects');
}
/**
* @group legacy
* @dataProvider deprecatedObjectValueProvider
*/
public function testObjectSupportEnabledWithDeprecatedTag($yaml)
{
$this->assertEquals(['foo' => new B(), 'bar' => 1], $this->parser->parse($yaml, Yaml::PARSE_OBJECT), '->parse() is able to parse objects');
}
public function deprecatedObjectValueProvider()
{
return [
[
<<assertEquals(['foo' => null, 'bar' => 1], $this->parser->parse($input), '->parse() does not parse objects');
}
/**
* @dataProvider getObjectForMapTests
*/
public function testObjectForMap($yaml, $expected)
{
$flags = Yaml::PARSE_OBJECT_FOR_MAP;
$this->assertEquals($expected, $this->parser->parse($yaml, $flags));
}
/**
* @group legacy
* @dataProvider getObjectForMapTests
*/
public function testObjectForMapEnabledWithMappingUsingBooleanToggles($yaml, $expected)
{
$this->assertEquals($expected, $this->parser->parse($yaml, false, false, true));
}
public function getObjectForMapTests()
{
$tests = [];
$yaml = <<<'EOF'
foo:
fiz: [cat]
EOF;
$expected = new \stdClass();
$expected->foo = new \stdClass();
$expected->foo->fiz = ['cat'];
$tests['mapping'] = [$yaml, $expected];
$yaml = '{ "foo": "bar", "fiz": "cat" }';
$expected = new \stdClass();
$expected->foo = 'bar';
$expected->fiz = 'cat';
$tests['inline-mapping'] = [$yaml, $expected];
$yaml = "foo: bar\nbaz: foobar";
$expected = new \stdClass();
$expected->foo = 'bar';
$expected->baz = 'foobar';
$tests['object-for-map-is-applied-after-parsing'] = [$yaml, $expected];
$yaml = <<<'EOT'
array:
- key: one
- key: two
EOT;
$expected = new \stdClass();
$expected->array = [];
$expected->array[0] = new \stdClass();
$expected->array[0]->key = 'one';
$expected->array[1] = new \stdClass();
$expected->array[1]->key = 'two';
$tests['nest-map-and-sequence'] = [$yaml, $expected];
$yaml = <<<'YAML'
map:
1: one
2: two
YAML;
$expected = new \stdClass();
$expected->map = new \stdClass();
$expected->map->{1} = 'one';
$expected->map->{2} = 'two';
$tests['numeric-keys'] = [$yaml, $expected];
$yaml = <<<'YAML'
map:
'0': one
'1': two
YAML;
$expected = new \stdClass();
$expected->map = new \stdClass();
$expected->map->{0} = 'one';
$expected->map->{1} = 'two';
$tests['zero-indexed-numeric-keys'] = [$yaml, $expected];
return $tests;
}
/**
* @dataProvider invalidDumpedObjectProvider
*/
public function testObjectsSupportDisabledWithExceptions($yaml)
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->parser->parse($yaml, Yaml::PARSE_EXCEPTION_ON_INVALID_TYPE);
}
public function testCanParseContentWithTrailingSpaces()
{
$yaml = "items: \n foo: bar";
$expected = [
'items' => ['foo' => 'bar'],
];
$this->assertSame($expected, $this->parser->parse($yaml));
}
/**
* @group legacy
* @dataProvider invalidDumpedObjectProvider
*/
public function testObjectsSupportDisabledWithExceptionsUsingBooleanToggles($yaml)
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->parser->parse($yaml, true);
}
public function invalidDumpedObjectProvider()
{
$yamlTag = <<<'EOF'
foo: !!php/object:O:30:"Symfony\Tests\Component\Yaml\B":1:{s:1:"b";s:3:"foo";}
bar: 1
EOF;
$localTag = <<<'EOF'
foo: !php/object:O:30:"Symfony\Tests\Component\Yaml\B":1:{s:1:"b";s:3:"foo";}
bar: 1
EOF;
return [
'yaml-tag' => [$yamlTag],
'local-tag' => [$localTag],
];
}
/**
* @requires extension iconv
*/
public function testNonUtf8Exception()
{
$yamls = [
iconv('UTF-8', 'ISO-8859-1', "foo: 'äöüß'"),
iconv('UTF-8', 'ISO-8859-15', "euro: '€'"),
iconv('UTF-8', 'CP1252', "cp1252: '©ÉÇáñ'"),
];
foreach ($yamls as $yaml) {
try {
$this->parser->parse($yaml);
$this->fail('charsets other than UTF-8 are rejected.');
} catch (\Exception $e) {
$this->assertInstanceOf('Symfony\Component\Yaml\Exception\ParseException', $e, 'charsets other than UTF-8 are rejected.');
}
}
}
public function testUnindentedCollectionException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$yaml = <<<'EOF'
collection:
-item1
-item2
-item3
EOF;
$this->parser->parse($yaml);
}
public function testShortcutKeyUnindentedCollectionException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$yaml = <<<'EOF'
collection:
- key: foo
foo: bar
EOF;
$this->parser->parse($yaml);
}
public function testMultipleDocumentsNotSupportedException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessageRegExp('/^Multiple documents are not supported.+/');
Yaml::parse(<<<'EOL'
# Ranking of 1998 home runs
---
- Mark McGwire
- Sammy Sosa
- Ken Griffey
# Team ranking
---
- Chicago Cubs
- St Louis Cardinals
EOL
);
}
public function testSequenceInAMapping()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
Yaml::parse(<<<'EOF'
yaml:
hash: me
- array stuff
EOF
);
}
public function testSequenceInMappingStartedBySingleDashLine()
{
$yaml = <<<'EOT'
a:
-
b:
-
bar: baz
- foo
d: e
EOT;
$expected = [
'a' => [
[
'b' => [
[
'bar' => 'baz',
],
],
],
'foo',
],
'd' => 'e',
];
$this->assertSame($expected, $this->parser->parse($yaml));
}
public function testSequenceFollowedByCommentEmbeddedInMapping()
{
$yaml = <<<'EOT'
a:
b:
- c
# comment
d: e
EOT;
$expected = [
'a' => [
'b' => ['c'],
'd' => 'e',
],
];
$this->assertSame($expected, $this->parser->parse($yaml));
}
public function testNonStringFollowedByCommentEmbeddedInMapping()
{
$yaml = <<<'EOT'
a:
b:
{}
# comment
d:
1.1
# another comment
EOT;
$expected = [
'a' => [
'b' => [],
'd' => 1.1,
],
];
$this->assertSame($expected, $this->parser->parse($yaml));
}
public function getParseExceptionNotAffectedMultiLineStringLastResortParsing()
{
$tests = [];
$yaml = <<<'EOT'
a
b:
EOT;
$tests['parse error on first line'] = [$yaml];
$yaml = <<<'EOT'
a
b
c:
EOT;
$tests['parse error due to inconsistent indentation'] = [$yaml];
$yaml = <<<'EOT'
& * ! | > ' " % @ ` #, { asd a;sdasd }-@^qw3
EOT;
$tests['symfony/symfony/issues/22967#issuecomment-322067742'] = [$yaml];
return $tests;
}
/**
* @dataProvider getParseExceptionNotAffectedMultiLineStringLastResortParsing
*/
public function testParseExceptionNotAffectedByMultiLineStringLastResortParsing($yaml)
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->parser->parse($yaml);
}
public function testMultiLineStringLastResortParsing()
{
$yaml = <<<'EOT'
test:
You can have things that don't look like strings here
true
yes you can
EOT;
$expected = [
'test' => 'You can have things that don\'t look like strings here true yes you can',
];
$this->assertSame($expected, $this->parser->parse($yaml));
$yaml = <<<'EOT'
a:
b
c
EOT;
$expected = [
'a' => 'b c',
];
$this->assertSame($expected, $this->parser->parse($yaml));
}
public function testMappingInASequence()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
Yaml::parse(<<<'EOF'
yaml:
- array stuff
hash: me
EOF
);
}
public function testScalarInSequence()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('missing colon');
Yaml::parse(<<<'EOF'
foo:
- bar
"missing colon"
foo: bar
EOF
);
}
/**
* > It is an error for two equal keys to appear in the same mapping node.
* > In such a case the YAML processor may continue, ignoring the second
* > `key: value` pair and issuing an appropriate warning. This strategy
* > preserves a consistent information model for one-pass and random access
* > applications.
*
* @see http://yaml.org/spec/1.2/spec.html#id2759572
* @see http://yaml.org/spec/1.1/#id932806
* @group legacy
*/
public function testMappingDuplicateKeyBlock()
{
$input = <<<'EOD'
parent:
child: first
child: duplicate
parent:
child: duplicate
child: duplicate
EOD;
$expected = [
'parent' => [
'child' => 'first',
],
];
$this->assertSame($expected, Yaml::parse($input));
}
/**
* @group legacy
*/
public function testMappingDuplicateKeyFlow()
{
$input = <<<'EOD'
parent: { child: first, child: duplicate }
parent: { child: duplicate, child: duplicate }
EOD;
$expected = [
'parent' => [
'child' => 'first',
],
];
$this->assertSame($expected, Yaml::parse($input));
}
/**
* @group legacy
* @dataProvider getParseExceptionOnDuplicateData
* @expectedDeprecation Duplicate key "%s" detected whilst parsing YAML. Silent handling of duplicate mapping keys in YAML is deprecated %s and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0 on line %d.
* throws \Symfony\Component\Yaml\Exception\ParseException in 4.0
*/
public function testParseExceptionOnDuplicate($input, $duplicateKey, $lineNumber)
{
Yaml::parse($input);
}
public function getParseExceptionOnDuplicateData()
{
$tests = [];
$yaml = <<assertEquals(['hash' => null], Yaml::parse($input));
}
public function testCommentAtTheRootIndent()
{
$this->assertEquals([
'services' => [
'app.foo_service' => [
'class' => 'Foo',
],
'app/bar_service' => [
'class' => 'Bar',
],
],
], Yaml::parse(<<<'EOF'
# comment 1
services:
# comment 2
# comment 3
app.foo_service:
class: Foo
# comment 4
# comment 5
app/bar_service:
class: Bar
EOF
));
}
public function testStringBlockWithComments()
{
$this->assertEquals(['content' => <<<'EOT'
# comment 1
header
# comment 2
title
footer # comment3
EOT
], Yaml::parse(<<<'EOF'
content: |
# comment 1
header
# comment 2
title
footer # comment3
EOF
));
}
public function testFoldedStringBlockWithComments()
{
$this->assertEquals([['content' => <<<'EOT'
# comment 1
header
# comment 2
title
footer # comment3
EOT
]], Yaml::parse(<<<'EOF'
-
content: |
# comment 1
header
# comment 2
title
footer # comment3
EOF
));
}
public function testNestedFoldedStringBlockWithComments()
{
$this->assertEquals([[
'title' => 'some title',
'content' => <<<'EOT'
# comment 1
header
# comment 2
title
footer # comment3
EOT
]], Yaml::parse(<<<'EOF'
-
title: some title
content: |
# comment 1
header
# comment 2
title
footer # comment3
EOF
));
}
public function testReferenceResolvingInInlineStrings()
{
$this->assertEquals([
'var' => 'var-value',
'scalar' => 'var-value',
'list' => ['var-value'],
'list_in_list' => [['var-value']],
'map_in_list' => [['key' => 'var-value']],
'embedded_mapping' => [['key' => 'var-value']],
'map' => ['key' => 'var-value'],
'list_in_map' => ['key' => ['var-value']],
'map_in_map' => ['foo' => ['bar' => 'var-value']],
], Yaml::parse(<<<'EOF'
var: &var var-value
scalar: *var
list: [ *var ]
list_in_list: [[ *var ]]
map_in_list: [ { key: *var } ]
embedded_mapping: [ key: *var ]
map: { key: *var }
list_in_map: { key: [*var] }
map_in_map: { foo: { bar: *var } }
EOF
));
}
public function testYamlDirective()
{
$yaml = <<<'EOF'
%YAML 1.2
---
foo: 1
bar: 2
EOF;
$this->assertEquals(['foo' => 1, 'bar' => 2], $this->parser->parse($yaml));
}
/**
* @group legacy
* @expectedDeprecation Implicit casting of numeric key to string is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0. Quote your evaluable mapping keys instead on line 2.
*/
public function testFloatKeys()
{
$yaml = <<<'EOF'
foo:
1.2: "bar"
1.3: "baz"
EOF;
$expected = [
'foo' => [
'1.2' => 'bar',
'1.3' => 'baz',
],
];
$this->assertEquals($expected, $this->parser->parse($yaml));
}
/**
* @group legacy
* @expectedDeprecation Implicit casting of non-string key to string is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0. Quote your evaluable mapping keys instead on line 1.
*/
public function testBooleanKeys()
{
$yaml = <<<'EOF'
true: foo
false: bar
EOF;
$expected = [
1 => 'foo',
0 => 'bar',
];
$this->assertEquals($expected, $this->parser->parse($yaml));
}
public function testExplicitStringCasting()
{
$yaml = <<<'EOF'
'1.2': "bar"
!!str 1.3: "baz"
'true': foo
!!str false: bar
!!str null: 'null'
'~': 'null'
EOF;
$expected = [
'1.2' => 'bar',
'1.3' => 'baz',
'true' => 'foo',
'false' => 'bar',
'null' => 'null',
'~' => 'null',
];
$this->assertEquals($expected, $this->parser->parse($yaml));
}
public function testColonInMappingValueException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('A colon cannot be used in an unquoted mapping value');
$yaml = <<<'EOF'
foo: bar: baz
EOF;
$this->parser->parse($yaml);
}
public function testColonInMappingValueExceptionNotTriggeredByColonInComment()
{
$yaml = <<<'EOT'
foo:
bar: foobar # Note: a comment after a colon
EOT;
$this->assertSame(['foo' => ['bar' => 'foobar']], $this->parser->parse($yaml));
}
/**
* @dataProvider getCommentLikeStringInScalarBlockData
*/
public function testCommentLikeStringsAreNotStrippedInBlockScalars($yaml, $expectedParserResult)
{
$this->assertSame($expectedParserResult, $this->parser->parse($yaml));
}
public function getCommentLikeStringInScalarBlockData()
{
$tests = [];
$yaml = <<<'EOT'
pages:
-
title: some title
content: |
# comment 1
header
# comment 2
title
footer # comment3
EOT;
$expected = [
'pages' => [
[
'title' => 'some title',
'content' => <<<'EOT'
# comment 1
header
# comment 2
title
footer # comment3
EOT
,
],
],
];
$tests[] = [$yaml, $expected];
$yaml = <<<'EOT'
test: |
foo
# bar
baz
collection:
- one: |
foo
# bar
baz
- two: |
foo
# bar
baz
EOT;
$expected = [
'test' => <<<'EOT'
foo
# bar
baz
EOT
,
'collection' => [
[
'one' => <<<'EOT'
foo
# bar
baz
EOT
,
],
[
'two' => <<<'EOT'
foo
# bar
baz
EOT
,
],
],
];
$tests[] = [$yaml, $expected];
$yaml = <<<'EOT'
foo:
bar:
scalar-block: >
line1
line2>
baz:
# comment
foobar: ~
EOT;
$expected = [
'foo' => [
'bar' => [
'scalar-block' => "line1 line2>\n",
],
'baz' => [
'foobar' => null,
],
],
];
$tests[] = [$yaml, $expected];
$yaml = <<<'EOT'
a:
b: hello
# c: |
# first row
# second row
d: hello
EOT;
$expected = [
'a' => [
'b' => 'hello',
'd' => 'hello',
],
];
$tests[] = [$yaml, $expected];
return $tests;
}
public function testBlankLinesAreParsedAsNewLinesInFoldedBlocks()
{
$yaml = <<<'EOT'
test: >
A heading
- a list
- may be a good example
EOT;
$this->assertSame(
[
'test' => <<<'EOT'
A heading
- a list
- may be a good example
EOT
,
],
$this->parser->parse($yaml)
);
}
public function testAdditionallyIndentedLinesAreParsedAsNewLinesInFoldedBlocks()
{
$yaml = <<<'EOT'
test: >
A heading
- a list
- may be a good example
EOT;
$this->assertSame(
[
'test' => <<<'EOT'
A heading
- a list
- may be a good example
EOT
,
],
$this->parser->parse($yaml)
);
}
/**
* @dataProvider getBinaryData
*/
public function testParseBinaryData($data)
{
$this->assertSame(['data' => 'Hello world'], $this->parser->parse($data));
}
public function getBinaryData()
{
return [
'enclosed with double quotes' => ['data: !!binary "SGVsbG8gd29ybGQ="'],
'enclosed with single quotes' => ["data: !!binary 'SGVsbG8gd29ybGQ='"],
'containing spaces' => ['data: !!binary "SGVs bG8gd 29ybGQ="'],
'in block scalar' => [
<<<'EOT'
data: !!binary |
SGVsbG8gd29ybGQ=
EOT
],
'containing spaces in block scalar' => [
<<<'EOT'
data: !!binary |
SGVs bG8gd 29ybGQ=
EOT
],
];
}
/**
* @dataProvider getInvalidBinaryData
*/
public function testParseInvalidBinaryData($data, $expectedMessage)
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessageRegExp($expectedMessage);
$this->parser->parse($data);
}
public function getInvalidBinaryData()
{
return [
'length not a multiple of four' => ['data: !!binary "SGVsbG8d29ybGQ="', '/The normalized base64 encoded data \(data without whitespace characters\) length must be a multiple of four \(\d+ bytes given\)/'],
'invalid characters' => ['!!binary "SGVsbG8#d29ybGQ="', '/The base64 encoded data \(.*\) contains invalid characters/'],
'too many equals characters' => ['data: !!binary "SGVsbG8gd29yb==="', '/The base64 encoded data \(.*\) contains invalid characters/'],
'misplaced equals character' => ['data: !!binary "SGVsbG8gd29ybG=Q"', '/The base64 encoded data \(.*\) contains invalid characters/'],
'length not a multiple of four in block scalar' => [
<<<'EOT'
data: !!binary |
SGVsbG8d29ybGQ=
EOT
,
'/The normalized base64 encoded data \(data without whitespace characters\) length must be a multiple of four \(\d+ bytes given\)/',
],
'invalid characters in block scalar' => [
<<<'EOT'
data: !!binary |
SGVsbG8#d29ybGQ=
EOT
,
'/The base64 encoded data \(.*\) contains invalid characters/',
],
'too many equals characters in block scalar' => [
<<<'EOT'
data: !!binary |
SGVsbG8gd29yb===
EOT
,
'/The base64 encoded data \(.*\) contains invalid characters/',
],
'misplaced equals character in block scalar' => [
<<<'EOT'
data: !!binary |
SGVsbG8gd29ybG=Q
EOT
,
'/The base64 encoded data \(.*\) contains invalid characters/',
],
];
}
public function testParseDateAsMappingValue()
{
$yaml = <<<'EOT'
date: 2002-12-14
EOT;
$expectedDate = new \DateTime();
$expectedDate->setTimeZone(new \DateTimeZone('UTC'));
$expectedDate->setDate(2002, 12, 14);
$expectedDate->setTime(0, 0, 0);
$this->assertEquals(['date' => $expectedDate], $this->parser->parse($yaml, Yaml::PARSE_DATETIME));
}
/**
* @param $lineNumber
* @param $yaml
* @dataProvider parserThrowsExceptionWithCorrectLineNumberProvider
*/
public function testParserThrowsExceptionWithCorrectLineNumber($lineNumber, $yaml)
{
$this->expectException('\Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage(sprintf('Unexpected characters near "," at line %d (near "bar: "123",").', $lineNumber));
$this->parser->parse($yaml);
}
public function parserThrowsExceptionWithCorrectLineNumberProvider()
{
return [
[
4,
<<<'YAML'
foo:
-
# bar
bar: "123",
YAML
],
[
5,
<<<'YAML'
foo:
-
# bar
# bar
bar: "123",
YAML
],
[
8,
<<<'YAML'
foo:
-
# foobar
baz: 123
bar:
-
# bar
bar: "123",
YAML
],
[
10,
<<<'YAML'
foo:
-
# foobar
# foobar
baz: 123
bar:
-
# bar
# bar
bar: "123",
YAML
],
];
}
public function testParseMultiLineQuotedString()
{
$yaml = <<assertSame(['foo' => 'bar baz foobar foo', 'bar' => 'baz'], $this->parser->parse($yaml));
}
public function testMultiLineQuotedStringWithTrailingBackslash()
{
$yaml = <<assertSame(['foobar' => 'foobar'], $this->parser->parse($yaml));
}
public function testCommentCharactersInMultiLineQuotedStrings()
{
$yaml = << [
'foobar' => 'foo #bar',
'bar' => 'baz',
],
];
$this->assertSame($expected, $this->parser->parse($yaml));
}
public function testBlankLinesInQuotedMultiLineString()
{
$yaml = << "foo\nbar",
];
$this->assertSame($expected, $this->parser->parse($yaml));
}
public function testParseMultiLineUnquotedString()
{
$yaml = <<assertSame(['foo' => 'bar baz foobar foo', 'bar' => 'baz'], $this->parser->parse($yaml));
}
public function testParseMultiLineString()
{
$this->assertEquals("foo bar\nbaz", $this->parser->parse("foo\nbar\n\nbaz"));
}
/**
* @dataProvider multiLineDataProvider
*/
public function testParseMultiLineMappingValue($yaml, $expected, $parseError)
{
$this->assertEquals($expected, $this->parser->parse($yaml));
}
public function multiLineDataProvider()
{
$tests = [];
$yaml = <<<'EOF'
foo:
- bar:
one
two
three
EOF;
$expected = [
'foo' => [
[
'bar' => "one\ntwo three",
],
],
];
$tests[] = [$yaml, $expected, false];
$yaml = <<<'EOF'
bar
"foo"
EOF;
$expected = 'bar "foo"';
$tests[] = [$yaml, $expected, false];
$yaml = <<<'EOF'
bar
"foo
EOF;
$expected = 'bar "foo';
$tests[] = [$yaml, $expected, false];
$yaml = <<<'EOF'
bar
'foo'
EOF;
$expected = "bar\n'foo'";
$tests[] = [$yaml, $expected, false];
$yaml = <<<'EOF'
bar
foo'
EOF;
$expected = "bar\nfoo'";
$tests[] = [$yaml, $expected, false];
return $tests;
}
public function testTaggedInlineMapping()
{
$this->assertEquals(new TaggedValue('foo', ['foo' => 'bar']), $this->parser->parse('!foo {foo: bar}', Yaml::PARSE_CUSTOM_TAGS));
}
/**
* @dataProvider taggedValuesProvider
*/
public function testCustomTagSupport($expected, $yaml)
{
$this->assertEquals($expected, $this->parser->parse($yaml, Yaml::PARSE_CUSTOM_TAGS));
}
public function taggedValuesProvider()
{
return [
'sequences' => [
[new TaggedValue('foo', ['yaml']), new TaggedValue('quz', ['bar'])],
<< [
new TaggedValue('foo', ['foo' => new TaggedValue('quz', ['bar']), 'quz' => new TaggedValue('foo', ['quz' => 'bar'])]),
<< [
[new TaggedValue('foo', ['foo', 'bar']), new TaggedValue('quz', ['foo' => 'bar', 'quz' => new TaggedValue('bar', ['one' => 'bar'])])],
<<expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('Tags support is not enabled. Enable the `Yaml::PARSE_CUSTOM_TAGS` flag to use "!iterator" at line 1 (near "!iterator [foo]").');
$this->parser->parse('!iterator [foo]');
}
/**
* @group legacy
* @expectedDeprecation Using the unquoted scalar value "!iterator foo" is deprecated since Symfony 3.3 and will be considered as a tagged value in 4.0. You must quote it on line 1.
*/
public function testUnsupportedTagWithScalar()
{
$this->assertEquals('!iterator foo', $this->parser->parse('!iterator foo'));
}
public function testExceptionWhenUsingUnsupportedBuiltInTags()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('The built-in tag "!!foo" is not implemented at line 1 (near "!!foo").');
$this->parser->parse('!!foo');
}
/**
* @group legacy
* @expectedDeprecation Starting an unquoted string with a question mark followed by a space is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0 on line 1.
*/
public function testComplexMappingThrowsParseException()
{
$yaml = <<parser->parse($yaml);
}
/**
* @group legacy
* @expectedDeprecation Starting an unquoted string with a question mark followed by a space is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0 on line 2.
*/
public function testComplexMappingNestedInMappingThrowsParseException()
{
$yaml = <<parser->parse($yaml);
}
/**
* @group legacy
* @expectedDeprecation Starting an unquoted string with a question mark followed by a space is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0 on line 1.
*/
public function testComplexMappingNestedInSequenceThrowsParseException()
{
$yaml = <<parser->parse($yaml);
}
public function testParsingIniThrowsException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('Unable to parse at line 1 (near "[parameters]").');
$ini = <<parser->parse($ini);
}
private function loadTestsFromFixtureFiles($testsFile)
{
$parser = new Parser();
$tests = [];
$files = $parser->parseFile(__DIR__.'/Fixtures/'.$testsFile);
foreach ($files as $file) {
$yamls = file_get_contents(__DIR__.'/Fixtures/'.$file.'.yml');
// split YAMLs documents
foreach (preg_split('/^---( %YAML\:1\.0)?/m', $yamls) as $yaml) {
if (!$yaml) {
continue;
}
$test = $parser->parse($yaml);
if (isset($test['todo']) && $test['todo']) {
// TODO
} else {
eval('$expected = '.trim($test['php']).';');
$tests[] = [var_export($expected, true), $test['yaml'], $test['test'], isset($test['deprecated']) ? $test['deprecated'] : false];
}
}
}
return $tests;
}
public function testCanParseVeryLongValue()
{
$longStringWithSpaces = str_repeat('xxxxxxxxxxxxxxxxxxxxxxxxxxxxxx ', 20000);
$trickyVal = ['x' => $longStringWithSpaces];
$yamlString = Yaml::dump($trickyVal);
$arrayFromYaml = $this->parser->parse($yamlString);
$this->assertEquals($trickyVal, $arrayFromYaml);
}
public function testParserCleansUpReferencesBetweenRuns()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('Reference "foo" does not exist at line 2');
$yaml = <<parser->parse($yaml);
$yaml = <<parser->parse($yaml);
}
public function testPhpConstantTagMappingKey()
{
$yaml = << [
'foo' => [
'from' => [
'bar',
],
'to' => 'baz',
],
],
];
$this->assertSame($expected, $this->parser->parse($yaml, Yaml::PARSE_CONSTANT));
}
/**
* @group legacy
* @expectedDeprecation The !php/const: tag to indicate dumped PHP constants is deprecated since Symfony 3.4 and will be removed in 4.0. Use the !php/const (without the colon) tag instead on line 2.
* @expectedDeprecation The !php/const: tag to indicate dumped PHP constants is deprecated since Symfony 3.4 and will be removed in 4.0. Use the !php/const (without the colon) tag instead on line 4.
* @expectedDeprecation The !php/const: tag to indicate dumped PHP constants is deprecated since Symfony 3.4 and will be removed in 4.0. Use the !php/const (without the colon) tag instead on line 5.
*/
public function testDeprecatedPhpConstantTagMappingKey()
{
$yaml = << [
'foo' => [
'from' => [
'bar',
],
'to' => 'baz',
],
],
];
$this->assertSame($expected, $this->parser->parse($yaml, Yaml::PARSE_CONSTANT));
}
/**
* @group legacy
* @expectedDeprecation Using the Yaml::PARSE_KEYS_AS_STRINGS flag is deprecated since Symfony 3.4 as it will be removed in 4.0. Quote your keys when they are evaluable instead.
*/
public function testPhpConstantTagMappingKeyWithKeysCastToStrings()
{
$yaml = << [
'foo' => [
'from' => [
'bar',
],
'to' => 'baz',
],
],
];
$this->assertSame($expected, $this->parser->parse($yaml, Yaml::PARSE_CONSTANT | Yaml::PARSE_KEYS_AS_STRINGS));
}
public function testMergeKeysWhenMappingsAreParsedAsObjects()
{
$yaml = << (object) [
'bar' => 1,
],
'bar' => (object) [
'baz' => 2,
'bar' => 1,
],
'baz' => (object) [
'baz_foo' => 3,
'baz_bar' => 4,
],
'foobar' => (object) [
'bar' => null,
'baz' => 2,
],
];
$this->assertEquals($expected, $this->parser->parse($yaml, Yaml::PARSE_OBJECT_FOR_MAP));
}
public function testFilenamesAreParsedAsStringsWithoutFlag()
{
$file = __DIR__.'/Fixtures/index.yml';
$this->assertSame($file, $this->parser->parse($file));
}
public function testParseFile()
{
$this->assertIsArray($this->parser->parseFile(__DIR__.'/Fixtures/index.yml'));
}
public function testParsingNonExistentFilesThrowsException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessageRegExp('#^File ".+/Fixtures/nonexistent.yml" does not exist\.$#');
$this->parser->parseFile(__DIR__.'/Fixtures/nonexistent.yml');
}
public function testParsingNotReadableFilesThrowsException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessageRegExp('#^File ".+/Fixtures/not_readable.yml" cannot be read\.$#');
if ('\\' === \DIRECTORY_SEPARATOR) {
$this->markTestSkipped('chmod is not supported on Windows');
}
if (!getenv('USER') || 'root' === getenv('USER')) {
$this->markTestSkipped('This test will fail if run under superuser');
}
$file = __DIR__.'/Fixtures/not_readable.yml';
chmod($file, 0200);
$this->parser->parseFile($file);
}
public function testParseReferencesOnMergeKeys()
{
$yaml = << [
'a' => 'foo',
'b' => 'bar',
'c' => 'baz',
],
'mergekeyderef' => [
'd' => 'quux',
'b' => 'bar',
'c' => 'baz',
],
];
$this->assertSame($expected, $this->parser->parse($yaml));
}
public function testParseReferencesOnMergeKeysWithMappingsParsedAsObjects()
{
$yaml = << (object) [
'a' => 'foo',
'b' => 'bar',
'c' => 'baz',
],
'mergekeyderef' => (object) [
'd' => 'quux',
'b' => 'bar',
'c' => 'baz',
],
];
$this->assertEquals($expected, $this->parser->parse($yaml, Yaml::PARSE_OBJECT_FOR_MAP));
}
public function testEvalRefException()
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('Reference "foo" does not exist');
$yaml = <<parser->parse($yaml);
}
/**
* @dataProvider circularReferenceProvider
*/
public function testDetectCircularReferences($yaml)
{
$this->expectException('Symfony\Component\Yaml\Exception\ParseException');
$this->expectExceptionMessage('Circular reference [foo, bar, foo] detected');
$this->parser->parse($yaml, Yaml::PARSE_CUSTOM_TAGS);
}
public function circularReferenceProvider()
{
$tests = [];
$yaml = <<assertSame($expected, $this->parser->parse($yaml));
}
public function indentedMappingData()
{
$tests = [];
$yaml = << [
[
'bar' => 'foobar',
'baz' => 'foobaz',
],
],
];
$tests['comment line is first line in indented block'] = [$yaml, $expected];
$yaml = << [
[
'bar' => [
'baz' => [1, 2, 3],
],
],
],
];
$tests['mapping value on new line starting with a comment line'] = [$yaml, $expected];
$yaml = << [
[
'bar' => 'foobar',
],
],
];
$tests['mapping in sequence starting on a new line'] = [$yaml, $expected];
$yaml = << [
'bar' => 'baz',
],
];
$tests['blank line at the beginning of an indented mapping value'] = [$yaml, $expected];
return $tests;
}
public function testMultiLineComment()
{
$yaml = <<assertSame(['parameters' => 'abc'], $this->parser->parse($yaml));
}
public function testParseValueWithModifiers()
{
$yaml = <<assertSame(
[
'parameters' => [
'abc' => implode("\n", ['one', 'two', 'three', 'four', 'five']),
],
],
$this->parser->parse($yaml)
);
}
public function testParseValueWithNegativeModifiers()
{
$yaml = <<assertSame(
[
'parameters' => [
'abc' => implode("\n", ['one', 'two', 'three', 'four', 'five']),
],
],
$this->parser->parse($yaml)
);
}
}
class B
{
public $b = 'foo';
const FOO = 'foo';
const BAR = 'bar';
const BAZ = 'baz';
}
yaml/Tests/Command/error_log; 0000644 00000026260 14716422132 0012206 0 ustar 00 [19-Sep-2023 12:16:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[01-Oct-2023 15:24:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[01-Oct-2023 18:19:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[25-Nov-2023 07:32:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[27-Nov-2023 00:24:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[27-Nov-2023 20:06:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[27-Nov-2023 21:25:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[28-Nov-2023 17:12:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[06-Jan-2024 08:55:32 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[21-Feb-2024 02:44:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[11-Mar-2024 09:35:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[01-Apr-2024 07:07:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[11-Apr-2024 06:31:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[26-Apr-2024 13:11:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[27-Apr-2024 02:21:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[04-May-2024 23:17:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[05-May-2024 05:47:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[05-May-2024 09:13:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[05-May-2024 19:13:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[10-May-2024 10:24:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[14-May-2024 14:31:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[20-May-2024 05:28:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[26-May-2024 03:22:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[04-Jun-2024 18:19:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[15-Jun-2024 08:07:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[15-Jun-2024 16:50:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[16-Jun-2024 01:54:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[18-Jun-2024 19:59:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[19-Jun-2024 05:00:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[19-Jun-2024 16:24:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[21-Jun-2024 08:33:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[29-Jun-2024 12:08:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[09-Jul-2024 01:51:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[12-Jul-2024 12:07:34 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[22-Jul-2024 10:44:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[22-Jul-2024 17:51:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[25-Jul-2024 01:51:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[18-Aug-2024 20:19:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[30-Aug-2024 16:53:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[30-Aug-2024 16:53:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[01-Sep-2024 21:28:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[04-Sep-2024 10:54:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[11-Sep-2024 21:24:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[18-Sep-2024 01:46:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[25-Sep-2024 09:20:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[26-Sep-2024 00:56:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[03-Oct-2024 01:16:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[08-Oct-2024 12:51:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[10-Oct-2024 10:25:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[18-Oct-2024 14:27:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[29-Oct-2024 02:13:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[01-Nov-2024 00:03:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[04-Nov-2024 22:51:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[06-Nov-2024 13:03:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
[07-Nov-2024 00:05:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Tests/Command/LintCommandTest.php on line 25
yaml/Tests/Command/LintCommandTest.php 0000644 00000007730 14716422132 0013755 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Tests\Command;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Console\Application;
use Symfony\Component\Console\Output\OutputInterface;
use Symfony\Component\Console\Tester\CommandTester;
use Symfony\Component\Yaml\Command\LintCommand;
/**
* Tests the YamlLintCommand.
*
* @author Robin Chalas
*/
class LintCommandTest extends TestCase
{
private $files;
public function testLintCorrectFile()
{
$tester = $this->createCommandTester();
$filename = $this->createFile('foo: bar');
$ret = $tester->execute(['filename' => $filename], ['verbosity' => OutputInterface::VERBOSITY_VERBOSE, 'decorated' => false]);
$this->assertEquals(0, $ret, 'Returns 0 in case of success');
$this->assertRegExp('/^\/\/ OK in /', trim($tester->getDisplay()));
}
public function testLintIncorrectFile()
{
$incorrectContent = '
foo:
bar';
$tester = $this->createCommandTester();
$filename = $this->createFile($incorrectContent);
$ret = $tester->execute(['filename' => $filename], ['decorated' => false]);
$this->assertEquals(1, $ret, 'Returns 1 in case of error');
$this->assertStringContainsString('Unable to parse at line 3 (near "bar").', trim($tester->getDisplay()));
}
public function testConstantAsKey()
{
$yaml = <<createCommandTester()->execute(['filename' => $this->createFile($yaml)], ['verbosity' => OutputInterface::VERBOSITY_VERBOSE, 'decorated' => false]);
$this->assertSame(0, $ret, 'lint:yaml exits with code 0 in case of success');
}
public function testCustomTags()
{
$yaml = <<createCommandTester()->execute(['filename' => $this->createFile($yaml), '--parse-tags' => true], ['verbosity' => OutputInterface::VERBOSITY_VERBOSE, 'decorated' => false]);
$this->assertSame(0, $ret, 'lint:yaml exits with code 0 in case of success');
}
public function testCustomTagsError()
{
$yaml = <<createCommandTester()->execute(['filename' => $this->createFile($yaml)], ['verbosity' => OutputInterface::VERBOSITY_VERBOSE, 'decorated' => false]);
$this->assertSame(1, $ret, 'lint:yaml exits with code 1 in case of error');
}
public function testLintFileNotReadable()
{
$this->expectException('RuntimeException');
$tester = $this->createCommandTester();
$filename = $this->createFile('');
unlink($filename);
$tester->execute(['filename' => $filename], ['decorated' => false]);
}
/**
* @return string Path to the new file
*/
private function createFile($content)
{
$filename = tempnam(sys_get_temp_dir().'/framework-yml-lint-test', 'sf-');
file_put_contents($filename, $content);
$this->files[] = $filename;
return $filename;
}
/**
* @return CommandTester
*/
protected function createCommandTester()
{
$application = new Application();
$application->add(new LintCommand());
$command = $application->find('lint:yaml');
return new CommandTester($command);
}
protected function setUp()
{
$this->files = [];
@mkdir(sys_get_temp_dir().'/framework-yml-lint-test');
}
protected function tearDown()
{
foreach ($this->files as $file) {
if (file_exists($file)) {
unlink($file);
}
}
rmdir(sys_get_temp_dir().'/framework-yml-lint-test');
}
}
class Foo
{
const TEST = 'foo';
}
yaml/Tests/ParseExceptionTest.php 0000644 00000002003 14716422132 0013107 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Yaml\Exception\ParseException;
class ParseExceptionTest extends TestCase
{
public function testGetMessage()
{
$exception = new ParseException('Error message', 42, 'foo: bar', '/var/www/app/config.yml');
$message = 'Error message in "/var/www/app/config.yml" at line 42 (near "foo: bar")';
$this->assertEquals($message, $exception->getMessage());
}
public function testGetMessageWithUnicodeInFilename()
{
$exception = new ParseException('Error message', 42, 'foo: bar', 'äöü.yml');
$message = 'Error message in "äöü.yml" at line 42 (near "foo: bar")';
$this->assertEquals($message, $exception->getMessage());
}
}
yaml/Parser.php 0000644 00000130663 14716422132 0007466 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml;
use Symfony\Component\Yaml\Exception\ParseException;
use Symfony\Component\Yaml\Tag\TaggedValue;
/**
* Parser parses YAML strings to convert them to PHP arrays.
*
* @author Fabien Potencier
*
* @final since version 3.4
*/
class Parser
{
const TAG_PATTERN = '(?P![\w!.\/:-]+)';
const BLOCK_SCALAR_HEADER_PATTERN = '(?P\||>)(?P\+|\-|\d+|\+\d+|\-\d+|\d+\+|\d+\-)?(?P +#.*)?';
private $filename;
private $offset = 0;
private $totalNumberOfLines;
private $lines = [];
private $currentLineNb = -1;
private $currentLine = '';
private $refs = [];
private $skippedLineNumbers = [];
private $locallySkippedLineNumbers = [];
private $refsBeingParsed = [];
public function __construct()
{
if (\func_num_args() > 0) {
@trigger_error(sprintf('The constructor arguments $offset, $totalNumberOfLines, $skippedLineNumbers of %s are deprecated and will be removed in 4.0', self::class), E_USER_DEPRECATED);
$this->offset = func_get_arg(0);
if (\func_num_args() > 1) {
$this->totalNumberOfLines = func_get_arg(1);
}
if (\func_num_args() > 2) {
$this->skippedLineNumbers = func_get_arg(2);
}
}
}
/**
* Parses a YAML file into a PHP value.
*
* @param string $filename The path to the YAML file to be parsed
* @param int $flags A bit field of PARSE_* constants to customize the YAML parser behavior
*
* @return mixed The YAML converted to a PHP value
*
* @throws ParseException If the file could not be read or the YAML is not valid
*/
public function parseFile($filename, $flags = 0)
{
if (!is_file($filename)) {
throw new ParseException(sprintf('File "%s" does not exist.', $filename));
}
if (!is_readable($filename)) {
throw new ParseException(sprintf('File "%s" cannot be read.', $filename));
}
$this->filename = $filename;
try {
return $this->parse(file_get_contents($filename), $flags);
} finally {
$this->filename = null;
}
}
/**
* Parses a YAML string to a PHP value.
*
* @param string $value A YAML string
* @param int $flags A bit field of PARSE_* constants to customize the YAML parser behavior
*
* @return mixed A PHP value
*
* @throws ParseException If the YAML is not valid
*/
public function parse($value, $flags = 0)
{
if (\is_bool($flags)) {
@trigger_error('Passing a boolean flag to toggle exception handling is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::PARSE_EXCEPTION_ON_INVALID_TYPE flag instead.', E_USER_DEPRECATED);
if ($flags) {
$flags = Yaml::PARSE_EXCEPTION_ON_INVALID_TYPE;
} else {
$flags = 0;
}
}
if (\func_num_args() >= 3) {
@trigger_error('Passing a boolean flag to toggle object support is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::PARSE_OBJECT flag instead.', E_USER_DEPRECATED);
if (func_get_arg(2)) {
$flags |= Yaml::PARSE_OBJECT;
}
}
if (\func_num_args() >= 4) {
@trigger_error('Passing a boolean flag to toggle object for map support is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::PARSE_OBJECT_FOR_MAP flag instead.', E_USER_DEPRECATED);
if (func_get_arg(3)) {
$flags |= Yaml::PARSE_OBJECT_FOR_MAP;
}
}
if (Yaml::PARSE_KEYS_AS_STRINGS & $flags) {
@trigger_error('Using the Yaml::PARSE_KEYS_AS_STRINGS flag is deprecated since Symfony 3.4 as it will be removed in 4.0. Quote your keys when they are evaluable instead.', E_USER_DEPRECATED);
}
if (false === preg_match('//u', $value)) {
throw new ParseException('The YAML value does not appear to be valid UTF-8.', -1, null, $this->filename);
}
$this->refs = [];
$mbEncoding = null;
$e = null;
$data = null;
if (2 /* MB_OVERLOAD_STRING */ & (int) ini_get('mbstring.func_overload')) {
$mbEncoding = mb_internal_encoding();
mb_internal_encoding('UTF-8');
}
try {
$data = $this->doParse($value, $flags);
} catch (\Exception $e) {
} catch (\Throwable $e) {
}
if (null !== $mbEncoding) {
mb_internal_encoding($mbEncoding);
}
$this->lines = [];
$this->currentLine = '';
$this->refs = [];
$this->skippedLineNumbers = [];
$this->locallySkippedLineNumbers = [];
if (null !== $e) {
throw $e;
}
return $data;
}
private function doParse($value, $flags)
{
$this->currentLineNb = -1;
$this->currentLine = '';
$value = $this->cleanup($value);
$this->lines = explode("\n", $value);
$this->locallySkippedLineNumbers = [];
if (null === $this->totalNumberOfLines) {
$this->totalNumberOfLines = \count($this->lines);
}
if (!$this->moveToNextLine()) {
return null;
}
$data = [];
$context = null;
$allowOverwrite = false;
while ($this->isCurrentLineEmpty()) {
if (!$this->moveToNextLine()) {
return null;
}
}
// Resolves the tag and returns if end of the document
if (null !== ($tag = $this->getLineTag($this->currentLine, $flags, false)) && !$this->moveToNextLine()) {
return new TaggedValue($tag, '');
}
do {
if ($this->isCurrentLineEmpty()) {
continue;
}
// tab?
if ("\t" === $this->currentLine[0]) {
throw new ParseException('A YAML file cannot contain tabs as indentation.', $this->getRealCurrentLineNb() + 1, $this->currentLine, $this->filename);
}
Inline::initialize($flags, $this->getRealCurrentLineNb(), $this->filename);
$isRef = $mergeNode = false;
if (self::preg_match('#^\-((?P\s+)(?P.+))?$#u', rtrim($this->currentLine), $values)) {
if ($context && 'mapping' == $context) {
throw new ParseException('You cannot define a sequence item when in a mapping.', $this->getRealCurrentLineNb() + 1, $this->currentLine, $this->filename);
}
$context = 'sequence';
if (isset($values['value']) && self::preg_match('#^&(?P[[^ ]+) *(?P.*)#u', $values['value'], $matches)) {
$isRef = $matches['ref'];
$this->refsBeingParsed[] = $isRef;
$values['value'] = $matches['value'];
}
if (isset($values['value'][1]) && '?' === $values['value'][0] && ' ' === $values['value'][1]) {
@trigger_error($this->getDeprecationMessage('Starting an unquoted string with a question mark followed by a space is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0.'), E_USER_DEPRECATED);
}
// array
if (!isset($values['value']) || '' == trim($values['value'], ' ') || 0 === strpos(ltrim($values['value'], ' '), '#')) {
$data[] = $this->parseBlock($this->getRealCurrentLineNb() + 1, $this->getNextEmbedBlock(null, true), $flags);
} elseif (null !== $subTag = $this->getLineTag(ltrim($values['value'], ' '), $flags)) {
$data[] = new TaggedValue(
$subTag,
$this->parseBlock($this->getRealCurrentLineNb() + 1, $this->getNextEmbedBlock(null, true), $flags)
);
} else {
if (isset($values['leadspaces'])
&& self::preg_match('#^(?P'.Inline::REGEX_QUOTED_STRING.'|[^ \'"\{\[].*?) *\:(\s+(?P.+?))?\s*$#u', $this->trimTag($values['value']), $matches)
) {
// this is a compact notation element, add to next block and parse
$block = $values['value'];
if ($this->isNextLineIndented()) {
$block .= "\n".$this->getNextEmbedBlock($this->getCurrentLineIndentation() + \strlen($values['leadspaces']) + 1);
}
$data[] = $this->parseBlock($this->getRealCurrentLineNb(), $block, $flags);
} else {
$data[] = $this->parseValue($values['value'], $flags, $context);
}
}
if ($isRef) {
$this->refs[$isRef] = end($data);
array_pop($this->refsBeingParsed);
}
} elseif (
self::preg_match('#^(?P(?:![^\s]++\s++)?(?:'.Inline::REGEX_QUOTED_STRING.'|(?:!?!php/const:)?[^ \'"\[\{!].*?)) *\:(\s++(?P.+))?$#u', rtrim($this->currentLine), $values)
&& (false === strpos($values['key'], ' #') || \in_array($values['key'][0], ['"', "'"]))
) {
if ($context && 'sequence' == $context) {
throw new ParseException('You cannot define a mapping item when in a sequence.', $this->currentLineNb + 1, $this->currentLine, $this->filename);
}
$context = 'mapping';
try {
$i = 0;
$evaluateKey = !(Yaml::PARSE_KEYS_AS_STRINGS & $flags);
// constants in key will be evaluated anyway
if (isset($values['key'][0]) && '!' === $values['key'][0] && Yaml::PARSE_CONSTANT & $flags) {
$evaluateKey = true;
}
$key = Inline::parseScalar($values['key'], 0, null, $i, $evaluateKey);
} catch (ParseException $e) {
$e->setParsedLine($this->getRealCurrentLineNb() + 1);
$e->setSnippet($this->currentLine);
throw $e;
}
if (!\is_string($key) && !\is_int($key)) {
$keyType = is_numeric($key) ? 'numeric key' : 'non-string key';
@trigger_error($this->getDeprecationMessage(sprintf('Implicit casting of %s to string is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0. Quote your evaluable mapping keys instead.', $keyType)), E_USER_DEPRECATED);
}
// Convert float keys to strings, to avoid being converted to integers by PHP
if (\is_float($key)) {
$key = (string) $key;
}
if ('<<' === $key && (!isset($values['value']) || !self::preg_match('#^&(?P][[^ ]+)#u', $values['value'], $refMatches))) {
$mergeNode = true;
$allowOverwrite = true;
if (isset($values['value'][0]) && '*' === $values['value'][0]) {
$refName = substr(rtrim($values['value']), 1);
if (!\array_key_exists($refName, $this->refs)) {
if (false !== $pos = array_search($refName, $this->refsBeingParsed, true)) {
throw new ParseException(sprintf('Circular reference [%s, %s] detected for reference "%s".', implode(', ', \array_slice($this->refsBeingParsed, $pos)), $refName, $refName), $this->currentLineNb + 1, $this->currentLine, $this->filename);
}
throw new ParseException(sprintf('Reference "%s" does not exist.', $refName), $this->getRealCurrentLineNb() + 1, $this->currentLine, $this->filename);
}
$refValue = $this->refs[$refName];
if (Yaml::PARSE_OBJECT_FOR_MAP & $flags && $refValue instanceof \stdClass) {
$refValue = (array) $refValue;
}
if (!\is_array($refValue)) {
throw new ParseException('YAML merge keys used with a scalar value instead of an array.', $this->getRealCurrentLineNb() + 1, $this->currentLine, $this->filename);
}
$data += $refValue; // array union
} else {
if (isset($values['value']) && '' !== $values['value']) {
$value = $values['value'];
} else {
$value = $this->getNextEmbedBlock();
}
$parsed = $this->parseBlock($this->getRealCurrentLineNb() + 1, $value, $flags);
if (Yaml::PARSE_OBJECT_FOR_MAP & $flags && $parsed instanceof \stdClass) {
$parsed = (array) $parsed;
}
if (!\is_array($parsed)) {
throw new ParseException('YAML merge keys used with a scalar value instead of an array.', $this->getRealCurrentLineNb() + 1, $this->currentLine, $this->filename);
}
if (isset($parsed[0])) {
// If the value associated with the merge key is a sequence, then this sequence is expected to contain mapping nodes
// and each of these nodes is merged in turn according to its order in the sequence. Keys in mapping nodes earlier
// in the sequence override keys specified in later mapping nodes.
foreach ($parsed as $parsedItem) {
if (Yaml::PARSE_OBJECT_FOR_MAP & $flags && $parsedItem instanceof \stdClass) {
$parsedItem = (array) $parsedItem;
}
if (!\is_array($parsedItem)) {
throw new ParseException('Merge items must be arrays.', $this->getRealCurrentLineNb() + 1, $parsedItem, $this->filename);
}
$data += $parsedItem; // array union
}
} else {
// If the value associated with the key is a single mapping node, each of its key/value pairs is inserted into the
// current mapping, unless the key already exists in it.
$data += $parsed; // array union
}
}
} elseif ('<<' !== $key && isset($values['value']) && self::preg_match('#^&(?P][[^ ]++) *+(?P.*)#u', $values['value'], $matches)) {
$isRef = $matches['ref'];
$this->refsBeingParsed[] = $isRef;
$values['value'] = $matches['value'];
}
$subTag = null;
if ($mergeNode) {
// Merge keys
} elseif (!isset($values['value']) || '' === $values['value'] || 0 === strpos($values['value'], '#') || (null !== $subTag = $this->getLineTag($values['value'], $flags)) || '<<' === $key) {
// hash
// if next line is less indented or equal, then it means that the current value is null
if (!$this->isNextLineIndented() && !$this->isNextLineUnIndentedCollection()) {
// Spec: Keys MUST be unique; first one wins.
// But overwriting is allowed when a merge node is used in current block.
if ($allowOverwrite || !isset($data[$key])) {
if (null !== $subTag) {
$data[$key] = new TaggedValue($subTag, '');
} else {
$data[$key] = null;
}
} else {
@trigger_error($this->getDeprecationMessage(sprintf('Duplicate key "%s" detected whilst parsing YAML. Silent handling of duplicate mapping keys in YAML is deprecated since Symfony 3.2 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0.', $key)), E_USER_DEPRECATED);
}
} else {
$value = $this->parseBlock($this->getRealCurrentLineNb() + 1, $this->getNextEmbedBlock(), $flags);
if ('<<' === $key) {
$this->refs[$refMatches['ref']] = $value;
if (Yaml::PARSE_OBJECT_FOR_MAP & $flags && $value instanceof \stdClass) {
$value = (array) $value;
}
$data += $value;
} elseif ($allowOverwrite || !isset($data[$key])) {
// Spec: Keys MUST be unique; first one wins.
// But overwriting is allowed when a merge node is used in current block.
if (null !== $subTag) {
$data[$key] = new TaggedValue($subTag, $value);
} else {
$data[$key] = $value;
}
} else {
@trigger_error($this->getDeprecationMessage(sprintf('Duplicate key "%s" detected whilst parsing YAML. Silent handling of duplicate mapping keys in YAML is deprecated since Symfony 3.2 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0.', $key)), E_USER_DEPRECATED);
}
}
} else {
$value = $this->parseValue(rtrim($values['value']), $flags, $context);
// Spec: Keys MUST be unique; first one wins.
// But overwriting is allowed when a merge node is used in current block.
if ($allowOverwrite || !isset($data[$key])) {
$data[$key] = $value;
} else {
@trigger_error($this->getDeprecationMessage(sprintf('Duplicate key "%s" detected whilst parsing YAML. Silent handling of duplicate mapping keys in YAML is deprecated since Symfony 3.2 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0.', $key)), E_USER_DEPRECATED);
}
}
if ($isRef) {
$this->refs[$isRef] = $data[$key];
array_pop($this->refsBeingParsed);
}
} else {
// multiple documents are not supported
if ('---' === $this->currentLine) {
throw new ParseException('Multiple documents are not supported.', $this->currentLineNb + 1, $this->currentLine, $this->filename);
}
if ($deprecatedUsage = (isset($this->currentLine[1]) && '?' === $this->currentLine[0] && ' ' === $this->currentLine[1])) {
@trigger_error($this->getDeprecationMessage('Starting an unquoted string with a question mark followed by a space is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0.'), E_USER_DEPRECATED);
}
// 1-liner optionally followed by newline(s)
if (\is_string($value) && $this->lines[0] === trim($value)) {
try {
$value = Inline::parse($this->lines[0], $flags, $this->refs);
} catch (ParseException $e) {
$e->setParsedLine($this->getRealCurrentLineNb() + 1);
$e->setSnippet($this->currentLine);
throw $e;
}
return $value;
}
// try to parse the value as a multi-line string as a last resort
if (0 === $this->currentLineNb) {
$previousLineWasNewline = false;
$previousLineWasTerminatedWithBackslash = false;
$value = '';
foreach ($this->lines as $line) {
if ('' !== ltrim($line) && '#' === ltrim($line)[0]) {
continue;
}
// If the indentation is not consistent at offset 0, it is to be considered as a ParseError
if (0 === $this->offset && !$deprecatedUsage && isset($line[0]) && ' ' === $line[0]) {
throw new ParseException('Unable to parse.', $this->getRealCurrentLineNb() + 1, $this->currentLine, $this->filename);
}
if ('' === trim($line)) {
$value .= "\n";
} elseif (!$previousLineWasNewline && !$previousLineWasTerminatedWithBackslash) {
$value .= ' ';
}
if ('' !== trim($line) && '\\' === substr($line, -1)) {
$value .= ltrim(substr($line, 0, -1));
} elseif ('' !== trim($line)) {
$value .= trim($line);
}
if ('' === trim($line)) {
$previousLineWasNewline = true;
$previousLineWasTerminatedWithBackslash = false;
} elseif ('\\' === substr($line, -1)) {
$previousLineWasNewline = false;
$previousLineWasTerminatedWithBackslash = true;
} else {
$previousLineWasNewline = false;
$previousLineWasTerminatedWithBackslash = false;
}
}
try {
return Inline::parse(trim($value));
} catch (ParseException $e) {
// fall-through to the ParseException thrown below
}
}
throw new ParseException('Unable to parse.', $this->getRealCurrentLineNb() + 1, $this->currentLine, $this->filename);
}
} while ($this->moveToNextLine());
if (null !== $tag) {
$data = new TaggedValue($tag, $data);
}
if (Yaml::PARSE_OBJECT_FOR_MAP & $flags && !\is_object($data) && 'mapping' === $context) {
$object = new \stdClass();
foreach ($data as $key => $value) {
$object->$key = $value;
}
$data = $object;
}
return empty($data) ? null : $data;
}
private function parseBlock($offset, $yaml, $flags)
{
$skippedLineNumbers = $this->skippedLineNumbers;
foreach ($this->locallySkippedLineNumbers as $lineNumber) {
if ($lineNumber < $offset) {
continue;
}
$skippedLineNumbers[] = $lineNumber;
}
$parser = new self();
$parser->offset = $offset;
$parser->totalNumberOfLines = $this->totalNumberOfLines;
$parser->skippedLineNumbers = $skippedLineNumbers;
$parser->refs = &$this->refs;
$parser->refsBeingParsed = $this->refsBeingParsed;
return $parser->doParse($yaml, $flags);
}
/**
* Returns the current line number (takes the offset into account).
*
* @internal
*
* @return int The current line number
*/
public function getRealCurrentLineNb()
{
$realCurrentLineNumber = $this->currentLineNb + $this->offset;
foreach ($this->skippedLineNumbers as $skippedLineNumber) {
if ($skippedLineNumber > $realCurrentLineNumber) {
break;
}
++$realCurrentLineNumber;
}
return $realCurrentLineNumber;
}
/**
* Returns the current line indentation.
*
* @return int The current line indentation
*/
private function getCurrentLineIndentation()
{
return \strlen($this->currentLine) - \strlen(ltrim($this->currentLine, ' '));
}
/**
* Returns the next embed block of YAML.
*
* @param int $indentation The indent level at which the block is to be read, or null for default
* @param bool $inSequence True if the enclosing data structure is a sequence
*
* @return string A YAML string
*
* @throws ParseException When indentation problem are detected
*/
private function getNextEmbedBlock($indentation = null, $inSequence = false)
{
$oldLineIndentation = $this->getCurrentLineIndentation();
if (!$this->moveToNextLine()) {
return '';
}
if (null === $indentation) {
$newIndent = null;
$movements = 0;
do {
$EOF = false;
// empty and comment-like lines do not influence the indentation depth
if ($this->isCurrentLineEmpty() || $this->isCurrentLineComment()) {
$EOF = !$this->moveToNextLine();
if (!$EOF) {
++$movements;
}
} else {
$newIndent = $this->getCurrentLineIndentation();
}
} while (!$EOF && null === $newIndent);
for ($i = 0; $i < $movements; ++$i) {
$this->moveToPreviousLine();
}
$unindentedEmbedBlock = $this->isStringUnIndentedCollectionItem();
if (!$this->isCurrentLineEmpty() && 0 === $newIndent && !$unindentedEmbedBlock) {
throw new ParseException('Indentation problem.', $this->getRealCurrentLineNb() + 1, $this->currentLine, $this->filename);
}
} else {
$newIndent = $indentation;
}
$data = [];
if ($this->getCurrentLineIndentation() >= $newIndent) {
$data[] = substr($this->currentLine, $newIndent);
} elseif ($this->isCurrentLineEmpty() || $this->isCurrentLineComment()) {
$data[] = $this->currentLine;
} else {
$this->moveToPreviousLine();
return '';
}
if ($inSequence && $oldLineIndentation === $newIndent && isset($data[0][0]) && '-' === $data[0][0]) {
// the previous line contained a dash but no item content, this line is a sequence item with the same indentation
// and therefore no nested list or mapping
$this->moveToPreviousLine();
return '';
}
$isItUnindentedCollection = $this->isStringUnIndentedCollectionItem();
while ($this->moveToNextLine()) {
$indent = $this->getCurrentLineIndentation();
if ($isItUnindentedCollection && !$this->isCurrentLineEmpty() && !$this->isStringUnIndentedCollectionItem() && $newIndent === $indent) {
$this->moveToPreviousLine();
break;
}
if ($this->isCurrentLineBlank()) {
$data[] = substr($this->currentLine, $newIndent);
continue;
}
if ($indent >= $newIndent) {
$data[] = substr($this->currentLine, $newIndent);
} elseif ($this->isCurrentLineComment()) {
$data[] = $this->currentLine;
} elseif (0 == $indent) {
$this->moveToPreviousLine();
break;
} else {
throw new ParseException('Indentation problem.', $this->getRealCurrentLineNb() + 1, $this->currentLine, $this->filename);
}
}
return implode("\n", $data);
}
/**
* Moves the parser to the next line.
*
* @return bool
*/
private function moveToNextLine()
{
if ($this->currentLineNb >= \count($this->lines) - 1) {
return false;
}
$this->currentLine = $this->lines[++$this->currentLineNb];
return true;
}
/**
* Moves the parser to the previous line.
*
* @return bool
*/
private function moveToPreviousLine()
{
if ($this->currentLineNb < 1) {
return false;
}
$this->currentLine = $this->lines[--$this->currentLineNb];
return true;
}
/**
* Parses a YAML value.
*
* @param string $value A YAML value
* @param int $flags A bit field of PARSE_* constants to customize the YAML parser behavior
* @param string $context The parser context (either sequence or mapping)
*
* @return mixed A PHP value
*
* @throws ParseException When reference does not exist
*/
private function parseValue($value, $flags, $context)
{
if (0 === strpos($value, '*')) {
if (false !== $pos = strpos($value, '#')) {
$value = substr($value, 1, $pos - 2);
} else {
$value = substr($value, 1);
}
if (!\array_key_exists($value, $this->refs)) {
if (false !== $pos = array_search($value, $this->refsBeingParsed, true)) {
throw new ParseException(sprintf('Circular reference [%s, %s] detected for reference "%s".', implode(', ', \array_slice($this->refsBeingParsed, $pos)), $value, $value), $this->currentLineNb + 1, $this->currentLine, $this->filename);
}
throw new ParseException(sprintf('Reference "%s" does not exist.', $value), $this->currentLineNb + 1, $this->currentLine, $this->filename);
}
return $this->refs[$value];
}
if (self::preg_match('/^(?:'.self::TAG_PATTERN.' +)?'.self::BLOCK_SCALAR_HEADER_PATTERN.'$/', $value, $matches)) {
$modifiers = isset($matches['modifiers']) ? $matches['modifiers'] : '';
$data = $this->parseBlockScalar($matches['separator'], preg_replace('#\d+#', '', $modifiers), (int) abs((int) $modifiers));
if ('' !== $matches['tag']) {
if ('!!binary' === $matches['tag']) {
return Inline::evaluateBinaryScalar($data);
} elseif ('tagged' === $matches['tag']) {
return new TaggedValue(substr($matches['tag'], 1), $data);
} elseif ('!' !== $matches['tag']) {
@trigger_error($this->getDeprecationMessage(sprintf('Using the custom tag "%s" for the value "%s" is deprecated since Symfony 3.3. It will be replaced by an instance of %s in 4.0.', $matches['tag'], $data, TaggedValue::class)), E_USER_DEPRECATED);
}
}
return $data;
}
try {
$quotation = '' !== $value && ('"' === $value[0] || "'" === $value[0]) ? $value[0] : null;
// do not take following lines into account when the current line is a quoted single line value
if (null !== $quotation && self::preg_match('/^'.$quotation.'.*'.$quotation.'(\s*#.*)?$/', $value)) {
return Inline::parse($value, $flags, $this->refs);
}
$lines = [];
while ($this->moveToNextLine()) {
// unquoted strings end before the first unindented line
if (null === $quotation && 0 === $this->getCurrentLineIndentation()) {
$this->moveToPreviousLine();
break;
}
$lines[] = trim($this->currentLine);
// quoted string values end with a line that is terminated with the quotation character
if ('' !== $this->currentLine && substr($this->currentLine, -1) === $quotation) {
break;
}
}
for ($i = 0, $linesCount = \count($lines), $previousLineBlank = false; $i < $linesCount; ++$i) {
if ('' === $lines[$i]) {
$value .= "\n";
$previousLineBlank = true;
} elseif ($previousLineBlank) {
$value .= $lines[$i];
$previousLineBlank = false;
} else {
$value .= ' '.$lines[$i];
$previousLineBlank = false;
}
}
Inline::$parsedLineNumber = $this->getRealCurrentLineNb();
$parsedValue = Inline::parse($value, $flags, $this->refs);
if ('mapping' === $context && \is_string($parsedValue) && '"' !== $value[0] && "'" !== $value[0] && '[' !== $value[0] && '{' !== $value[0] && '!' !== $value[0] && false !== strpos($parsedValue, ': ')) {
throw new ParseException('A colon cannot be used in an unquoted mapping value.', $this->getRealCurrentLineNb() + 1, $value, $this->filename);
}
return $parsedValue;
} catch (ParseException $e) {
$e->setParsedLine($this->getRealCurrentLineNb() + 1);
$e->setSnippet($this->currentLine);
throw $e;
}
}
/**
* Parses a block scalar.
*
* @param string $style The style indicator that was used to begin this block scalar (| or >)
* @param string $chomping The chomping indicator that was used to begin this block scalar (+ or -)
* @param int $indentation The indentation indicator that was used to begin this block scalar
*
* @return string The text value
*/
private function parseBlockScalar($style, $chomping = '', $indentation = 0)
{
$notEOF = $this->moveToNextLine();
if (!$notEOF) {
return '';
}
$isCurrentLineBlank = $this->isCurrentLineBlank();
$blockLines = [];
// leading blank lines are consumed before determining indentation
while ($notEOF && $isCurrentLineBlank) {
// newline only if not EOF
if ($notEOF = $this->moveToNextLine()) {
$blockLines[] = '';
$isCurrentLineBlank = $this->isCurrentLineBlank();
}
}
// determine indentation if not specified
if (0 === $indentation) {
if (self::preg_match('/^ +/', $this->currentLine, $matches)) {
$indentation = \strlen($matches[0]);
}
}
if ($indentation > 0) {
$pattern = sprintf('/^ {%d}(.*)$/', $indentation);
while (
$notEOF && (
$isCurrentLineBlank ||
self::preg_match($pattern, $this->currentLine, $matches)
)
) {
if ($isCurrentLineBlank && \strlen($this->currentLine) > $indentation) {
$blockLines[] = substr($this->currentLine, $indentation);
} elseif ($isCurrentLineBlank) {
$blockLines[] = '';
} else {
$blockLines[] = $matches[1];
}
// newline only if not EOF
if ($notEOF = $this->moveToNextLine()) {
$isCurrentLineBlank = $this->isCurrentLineBlank();
}
}
} elseif ($notEOF) {
$blockLines[] = '';
}
if ($notEOF) {
$blockLines[] = '';
$this->moveToPreviousLine();
} elseif (!$notEOF && !$this->isCurrentLineLastLineInDocument()) {
$blockLines[] = '';
}
// folded style
if ('>' === $style) {
$text = '';
$previousLineIndented = false;
$previousLineBlank = false;
for ($i = 0, $blockLinesCount = \count($blockLines); $i < $blockLinesCount; ++$i) {
if ('' === $blockLines[$i]) {
$text .= "\n";
$previousLineIndented = false;
$previousLineBlank = true;
} elseif (' ' === $blockLines[$i][0]) {
$text .= "\n".$blockLines[$i];
$previousLineIndented = true;
$previousLineBlank = false;
} elseif ($previousLineIndented) {
$text .= "\n".$blockLines[$i];
$previousLineIndented = false;
$previousLineBlank = false;
} elseif ($previousLineBlank || 0 === $i) {
$text .= $blockLines[$i];
$previousLineIndented = false;
$previousLineBlank = false;
} else {
$text .= ' '.$blockLines[$i];
$previousLineIndented = false;
$previousLineBlank = false;
}
}
} else {
$text = implode("\n", $blockLines);
}
// deal with trailing newlines
if ('' === $chomping) {
$text = preg_replace('/\n+$/', "\n", $text);
} elseif ('-' === $chomping) {
$text = preg_replace('/\n+$/', '', $text);
}
return $text;
}
/**
* Returns true if the next line is indented.
*
* @return bool Returns true if the next line is indented, false otherwise
*/
private function isNextLineIndented()
{
$currentIndentation = $this->getCurrentLineIndentation();
$movements = 0;
do {
$EOF = !$this->moveToNextLine();
if (!$EOF) {
++$movements;
}
} while (!$EOF && ($this->isCurrentLineEmpty() || $this->isCurrentLineComment()));
if ($EOF) {
return false;
}
$ret = $this->getCurrentLineIndentation() > $currentIndentation;
for ($i = 0; $i < $movements; ++$i) {
$this->moveToPreviousLine();
}
return $ret;
}
/**
* Returns true if the current line is blank or if it is a comment line.
*
* @return bool Returns true if the current line is empty or if it is a comment line, false otherwise
*/
private function isCurrentLineEmpty()
{
return $this->isCurrentLineBlank() || $this->isCurrentLineComment();
}
/**
* Returns true if the current line is blank.
*
* @return bool Returns true if the current line is blank, false otherwise
*/
private function isCurrentLineBlank()
{
return '' == trim($this->currentLine, ' ');
}
/**
* Returns true if the current line is a comment line.
*
* @return bool Returns true if the current line is a comment line, false otherwise
*/
private function isCurrentLineComment()
{
//checking explicitly the first char of the trim is faster than loops or strpos
$ltrimmedLine = ltrim($this->currentLine, ' ');
return '' !== $ltrimmedLine && '#' === $ltrimmedLine[0];
}
private function isCurrentLineLastLineInDocument()
{
return ($this->offset + $this->currentLineNb) >= ($this->totalNumberOfLines - 1);
}
/**
* Cleanups a YAML string to be parsed.
*
* @param string $value The input YAML string
*
* @return string A cleaned up YAML string
*/
private function cleanup($value)
{
$value = str_replace(["\r\n", "\r"], "\n", $value);
// strip YAML header
$count = 0;
$value = preg_replace('#^\%YAML[: ][\d\.]+.*\n#u', '', $value, -1, $count);
$this->offset += $count;
// remove leading comments
$trimmedValue = preg_replace('#^(\#.*?\n)+#s', '', $value, -1, $count);
if (1 === $count) {
// items have been removed, update the offset
$this->offset += substr_count($value, "\n") - substr_count($trimmedValue, "\n");
$value = $trimmedValue;
}
// remove start of the document marker (---)
$trimmedValue = preg_replace('#^\-\-\-.*?\n#s', '', $value, -1, $count);
if (1 === $count) {
// items have been removed, update the offset
$this->offset += substr_count($value, "\n") - substr_count($trimmedValue, "\n");
$value = $trimmedValue;
// remove end of the document marker (...)
$value = preg_replace('#\.\.\.\s*$#', '', $value);
}
return $value;
}
/**
* Returns true if the next line starts unindented collection.
*
* @return bool Returns true if the next line starts unindented collection, false otherwise
*/
private function isNextLineUnIndentedCollection()
{
$currentIndentation = $this->getCurrentLineIndentation();
$movements = 0;
do {
$EOF = !$this->moveToNextLine();
if (!$EOF) {
++$movements;
}
} while (!$EOF && ($this->isCurrentLineEmpty() || $this->isCurrentLineComment()));
if ($EOF) {
return false;
}
$ret = $this->getCurrentLineIndentation() === $currentIndentation && $this->isStringUnIndentedCollectionItem();
for ($i = 0; $i < $movements; ++$i) {
$this->moveToPreviousLine();
}
return $ret;
}
/**
* Returns true if the string is un-indented collection item.
*
* @return bool Returns true if the string is un-indented collection item, false otherwise
*/
private function isStringUnIndentedCollectionItem()
{
return '-' === rtrim($this->currentLine) || 0 === strpos($this->currentLine, '- ');
}
/**
* A local wrapper for `preg_match` which will throw a ParseException if there
* is an internal error in the PCRE engine.
*
* This avoids us needing to check for "false" every time PCRE is used
* in the YAML engine
*
* @throws ParseException on a PCRE internal error
*
* @see preg_last_error()
*
* @internal
*/
public static function preg_match($pattern, $subject, &$matches = null, $flags = 0, $offset = 0)
{
if (false === $ret = preg_match($pattern, $subject, $matches, $flags, $offset)) {
switch (preg_last_error()) {
case PREG_INTERNAL_ERROR:
$error = 'Internal PCRE error.';
break;
case PREG_BACKTRACK_LIMIT_ERROR:
$error = 'pcre.backtrack_limit reached.';
break;
case PREG_RECURSION_LIMIT_ERROR:
$error = 'pcre.recursion_limit reached.';
break;
case PREG_BAD_UTF8_ERROR:
$error = 'Malformed UTF-8 data.';
break;
case PREG_BAD_UTF8_OFFSET_ERROR:
$error = 'Offset doesn\'t correspond to the begin of a valid UTF-8 code point.';
break;
default:
$error = 'Error.';
}
throw new ParseException($error);
}
return $ret;
}
/**
* Trim the tag on top of the value.
*
* Prevent values such as `!foo {quz: bar}` to be considered as
* a mapping block.
*/
private function trimTag($value)
{
if ('!' === $value[0]) {
return ltrim(substr($value, 1, strcspn($value, " \r\n", 1)), ' ');
}
return $value;
}
/**
* @return string|null
*/
private function getLineTag($value, $flags, $nextLineCheck = true)
{
if ('' === $value || '!' !== $value[0] || 1 !== self::preg_match('/^'.self::TAG_PATTERN.' *( +#.*)?$/', $value, $matches)) {
return null;
}
if ($nextLineCheck && !$this->isNextLineIndented()) {
return null;
}
$tag = substr($matches['tag'], 1);
// Built-in tags
if ($tag && '!' === $tag[0]) {
throw new ParseException(sprintf('The built-in tag "!%s" is not implemented.', $tag), $this->getRealCurrentLineNb() + 1, $value, $this->filename);
}
if (Yaml::PARSE_CUSTOM_TAGS & $flags) {
return $tag;
}
throw new ParseException(sprintf('Tags support is not enabled. You must use the flag `Yaml::PARSE_CUSTOM_TAGS` to use "%s".', $matches['tag']), $this->getRealCurrentLineNb() + 1, $value, $this->filename);
}
private function getDeprecationMessage($message)
{
$message = rtrim($message, '.');
if (null !== $this->filename) {
$message .= ' in '.$this->filename;
}
$message .= ' on line '.($this->getRealCurrentLineNb() + 1);
return $message.'.';
}
}
yaml/Dumper.php 0000644 00000014601 14716422132 0007457 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml;
use Symfony\Component\Yaml\Tag\TaggedValue;
/**
* Dumper dumps PHP variables to YAML strings.
*
* @author Fabien Potencier
*
* @final since version 3.4
*/
class Dumper
{
/**
* The amount of spaces to use for indentation of nested nodes.
*
* @var int
*/
protected $indentation;
/**
* @param int $indentation
*/
public function __construct($indentation = 4)
{
if ($indentation < 1) {
throw new \InvalidArgumentException('The indentation must be greater than zero.');
}
$this->indentation = $indentation;
}
/**
* Sets the indentation.
*
* @param int $num The amount of spaces to use for indentation of nested nodes
*
* @deprecated since version 3.1, to be removed in 4.0. Pass the indentation to the constructor instead.
*/
public function setIndentation($num)
{
@trigger_error('The '.__METHOD__.' method is deprecated since Symfony 3.1 and will be removed in 4.0. Pass the indentation to the constructor instead.', E_USER_DEPRECATED);
$this->indentation = (int) $num;
}
/**
* Dumps a PHP value to YAML.
*
* @param mixed $input The PHP value
* @param int $inline The level where you switch to inline YAML
* @param int $indent The level of indentation (used internally)
* @param int $flags A bit field of Yaml::DUMP_* constants to customize the dumped YAML string
*
* @return string The YAML representation of the PHP value
*/
public function dump($input, $inline = 0, $indent = 0, $flags = 0)
{
if (\is_bool($flags)) {
@trigger_error('Passing a boolean flag to toggle exception handling is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::DUMP_EXCEPTION_ON_INVALID_TYPE flag instead.', E_USER_DEPRECATED);
if ($flags) {
$flags = Yaml::DUMP_EXCEPTION_ON_INVALID_TYPE;
} else {
$flags = 0;
}
}
if (\func_num_args() >= 5) {
@trigger_error('Passing a boolean flag to toggle object support is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::DUMP_OBJECT flag instead.', E_USER_DEPRECATED);
if (func_get_arg(4)) {
$flags |= Yaml::DUMP_OBJECT;
}
}
$output = '';
$prefix = $indent ? str_repeat(' ', $indent) : '';
$dumpObjectAsInlineMap = true;
if (Yaml::DUMP_OBJECT_AS_MAP & $flags && ($input instanceof \ArrayObject || $input instanceof \stdClass)) {
$dumpObjectAsInlineMap = empty((array) $input);
}
if ($inline <= 0 || (!\is_array($input) && !$input instanceof TaggedValue && $dumpObjectAsInlineMap) || empty($input)) {
$output .= $prefix.Inline::dump($input, $flags);
} else {
$dumpAsMap = Inline::isHash($input);
foreach ($input as $key => $value) {
if ($inline >= 1 && Yaml::DUMP_MULTI_LINE_LITERAL_BLOCK & $flags && \is_string($value) && false !== strpos($value, "\n") && false === strpos($value, "\r")) {
// If the first line starts with a space character, the spec requires a blockIndicationIndicator
// http://www.yaml.org/spec/1.2/spec.html#id2793979
$blockIndentationIndicator = (' ' === substr($value, 0, 1)) ? (string) $this->indentation : '';
$output .= sprintf("%s%s%s |%s\n", $prefix, $dumpAsMap ? Inline::dump($key, $flags).':' : '-', '', $blockIndentationIndicator);
foreach (explode("\n", $value) as $row) {
$output .= sprintf("%s%s%s\n", $prefix, str_repeat(' ', $this->indentation), $row);
}
continue;
}
if ($value instanceof TaggedValue) {
$output .= sprintf('%s%s !%s', $prefix, $dumpAsMap ? Inline::dump($key, $flags).':' : '-', $value->getTag());
if ($inline >= 1 && Yaml::DUMP_MULTI_LINE_LITERAL_BLOCK & $flags && \is_string($value->getValue()) && false !== strpos($value->getValue(), "\n") && false === strpos($value->getValue(), "\r\n")) {
// If the first line starts with a space character, the spec requires a blockIndicationIndicator
// http://www.yaml.org/spec/1.2/spec.html#id2793979
$blockIndentationIndicator = (' ' === substr($value->getValue(), 0, 1)) ? (string) $this->indentation : '';
$output .= sprintf(" |%s\n", $blockIndentationIndicator);
foreach (explode("\n", $value->getValue()) as $row) {
$output .= sprintf("%s%s%s\n", $prefix, str_repeat(' ', $this->indentation), $row);
}
continue;
}
if ($inline - 1 <= 0 || null === $value->getValue() || is_scalar($value->getValue())) {
$output .= ' '.$this->dump($value->getValue(), $inline - 1, 0, $flags)."\n";
} else {
$output .= "\n";
$output .= $this->dump($value->getValue(), $inline - 1, $dumpAsMap ? $indent + $this->indentation : $indent + 2, $flags);
}
continue;
}
$dumpObjectAsInlineMap = true;
if (Yaml::DUMP_OBJECT_AS_MAP & $flags && ($value instanceof \ArrayObject || $value instanceof \stdClass)) {
$dumpObjectAsInlineMap = empty((array) $value);
}
$willBeInlined = $inline - 1 <= 0 || !\is_array($value) && $dumpObjectAsInlineMap || empty($value);
$output .= sprintf('%s%s%s%s',
$prefix,
$dumpAsMap ? Inline::dump($key, $flags).':' : '-',
$willBeInlined ? ' ' : "\n",
$this->dump($value, $inline - 1, $willBeInlined ? 0 : $indent + $this->indentation, $flags)
).($willBeInlined ? "\n" : '');
}
}
return $output;
}
}
yaml/phpunit.xml.dist 0000644 00000001477 14716422132 0010674 0 ustar 00
./Tests/
./
./Tests
./vendor
yaml/Tag/TaggedValue.php 0000644 00000001507 14716422132 0011127 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Tag;
/**
* @author Nicolas Grekas ]
* @author Guilhem N.
*/
final class TaggedValue
{
private $tag;
private $value;
/**
* @param string $tag
* @param mixed $value
*/
public function __construct($tag, $value)
{
$this->tag = $tag;
$this->value = $value;
}
/**
* @return string
*/
public function getTag()
{
return $this->tag;
}
/**
* @return mixed
*/
public function getValue()
{
return $this->value;
}
}
yaml/Inline.php 0000644 00000112733 14716422132 0007446 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml;
use Symfony\Component\Yaml\Exception\DumpException;
use Symfony\Component\Yaml\Exception\ParseException;
use Symfony\Component\Yaml\Tag\TaggedValue;
/**
* Inline implements a YAML parser/dumper for the YAML inline syntax.
*
* @author Fabien Potencier
*
* @internal
*/
class Inline
{
const REGEX_QUOTED_STRING = '(?:"([^"\\\\]*+(?:\\\\.[^"\\\\]*+)*+)"|\'([^\']*+(?:\'\'[^\']*+)*+)\')';
public static $parsedLineNumber = -1;
public static $parsedFilename;
private static $exceptionOnInvalidType = false;
private static $objectSupport = false;
private static $objectForMap = false;
private static $constantSupport = false;
/**
* @param int $flags
* @param int|null $parsedLineNumber
* @param string|null $parsedFilename
*/
public static function initialize($flags, $parsedLineNumber = null, $parsedFilename = null)
{
self::$exceptionOnInvalidType = (bool) (Yaml::PARSE_EXCEPTION_ON_INVALID_TYPE & $flags);
self::$objectSupport = (bool) (Yaml::PARSE_OBJECT & $flags);
self::$objectForMap = (bool) (Yaml::PARSE_OBJECT_FOR_MAP & $flags);
self::$constantSupport = (bool) (Yaml::PARSE_CONSTANT & $flags);
self::$parsedFilename = $parsedFilename;
if (null !== $parsedLineNumber) {
self::$parsedLineNumber = $parsedLineNumber;
}
}
/**
* Converts a YAML string to a PHP value.
*
* @param string $value A YAML string
* @param int $flags A bit field of PARSE_* constants to customize the YAML parser behavior
* @param array $references Mapping of variable names to values
*
* @return mixed A PHP value
*
* @throws ParseException
*/
public static function parse($value, $flags = 0, $references = [])
{
if (\is_bool($flags)) {
@trigger_error('Passing a boolean flag to toggle exception handling is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::PARSE_EXCEPTION_ON_INVALID_TYPE flag instead.', E_USER_DEPRECATED);
if ($flags) {
$flags = Yaml::PARSE_EXCEPTION_ON_INVALID_TYPE;
} else {
$flags = 0;
}
}
if (\func_num_args() >= 3 && !\is_array($references)) {
@trigger_error('Passing a boolean flag to toggle object support is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::PARSE_OBJECT flag instead.', E_USER_DEPRECATED);
if ($references) {
$flags |= Yaml::PARSE_OBJECT;
}
if (\func_num_args() >= 4) {
@trigger_error('Passing a boolean flag to toggle object for map support is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::PARSE_OBJECT_FOR_MAP flag instead.', E_USER_DEPRECATED);
if (func_get_arg(3)) {
$flags |= Yaml::PARSE_OBJECT_FOR_MAP;
}
}
if (\func_num_args() >= 5) {
$references = func_get_arg(4);
} else {
$references = [];
}
}
self::initialize($flags);
$value = trim($value);
if ('' === $value) {
return '';
}
if (2 /* MB_OVERLOAD_STRING */ & (int) ini_get('mbstring.func_overload')) {
$mbEncoding = mb_internal_encoding();
mb_internal_encoding('ASCII');
}
try {
$i = 0;
$tag = self::parseTag($value, $i, $flags);
switch ($value[$i]) {
case '[':
$result = self::parseSequence($value, $flags, $i, $references);
++$i;
break;
case '{':
$result = self::parseMapping($value, $flags, $i, $references);
++$i;
break;
default:
$result = self::parseScalar($value, $flags, null, $i, null === $tag, $references);
}
// some comments are allowed at the end
if (preg_replace('/\s+#.*$/A', '', substr($value, $i))) {
throw new ParseException(sprintf('Unexpected characters near "%s".', substr($value, $i)), self::$parsedLineNumber + 1, $value, self::$parsedFilename);
}
if (null !== $tag) {
return new TaggedValue($tag, $result);
}
return $result;
} finally {
if (isset($mbEncoding)) {
mb_internal_encoding($mbEncoding);
}
}
}
/**
* Dumps a given PHP variable to a YAML string.
*
* @param mixed $value The PHP variable to convert
* @param int $flags A bit field of Yaml::DUMP_* constants to customize the dumped YAML string
*
* @return string The YAML string representing the PHP value
*
* @throws DumpException When trying to dump PHP resource
*/
public static function dump($value, $flags = 0)
{
if (\is_bool($flags)) {
@trigger_error('Passing a boolean flag to toggle exception handling is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::DUMP_EXCEPTION_ON_INVALID_TYPE flag instead.', E_USER_DEPRECATED);
if ($flags) {
$flags = Yaml::DUMP_EXCEPTION_ON_INVALID_TYPE;
} else {
$flags = 0;
}
}
if (\func_num_args() >= 3) {
@trigger_error('Passing a boolean flag to toggle object support is deprecated since Symfony 3.1 and will be removed in 4.0. Use the Yaml::DUMP_OBJECT flag instead.', E_USER_DEPRECATED);
if (func_get_arg(2)) {
$flags |= Yaml::DUMP_OBJECT;
}
}
switch (true) {
case \is_resource($value):
if (Yaml::DUMP_EXCEPTION_ON_INVALID_TYPE & $flags) {
throw new DumpException(sprintf('Unable to dump PHP resources in a YAML file ("%s").', get_resource_type($value)));
}
return 'null';
case $value instanceof \DateTimeInterface:
return $value->format('c');
case \is_object($value):
if ($value instanceof TaggedValue) {
return '!'.$value->getTag().' '.self::dump($value->getValue(), $flags);
}
if (Yaml::DUMP_OBJECT & $flags) {
return '!php/object '.self::dump(serialize($value));
}
if (Yaml::DUMP_OBJECT_AS_MAP & $flags && ($value instanceof \stdClass || $value instanceof \ArrayObject)) {
return self::dumpArray($value, $flags & ~Yaml::DUMP_EMPTY_ARRAY_AS_SEQUENCE);
}
if (Yaml::DUMP_EXCEPTION_ON_INVALID_TYPE & $flags) {
throw new DumpException('Object support when dumping a YAML file has been disabled.');
}
return 'null';
case \is_array($value):
return self::dumpArray($value, $flags);
case null === $value:
return 'null';
case true === $value:
return 'true';
case false === $value:
return 'false';
case ctype_digit($value):
return \is_string($value) ? "'$value'" : (int) $value;
case is_numeric($value):
$locale = setlocale(LC_NUMERIC, 0);
if (false !== $locale) {
setlocale(LC_NUMERIC, 'C');
}
if (\is_float($value)) {
$repr = (string) $value;
if (is_infinite($value)) {
$repr = str_ireplace('INF', '.Inf', $repr);
} elseif (floor($value) == $value && $repr == $value) {
// Preserve float data type since storing a whole number will result in integer value.
$repr = '!!float '.$repr;
}
} else {
$repr = \is_string($value) ? "'$value'" : (string) $value;
}
if (false !== $locale) {
setlocale(LC_NUMERIC, $locale);
}
return $repr;
case '' == $value:
return "''";
case self::isBinaryString($value):
return '!!binary '.base64_encode($value);
case Escaper::requiresDoubleQuoting($value):
return Escaper::escapeWithDoubleQuotes($value);
case Escaper::requiresSingleQuoting($value):
case Parser::preg_match('{^[0-9]+[_0-9]*$}', $value):
case Parser::preg_match(self::getHexRegex(), $value):
case Parser::preg_match(self::getTimestampRegex(), $value):
return Escaper::escapeWithSingleQuotes($value);
default:
return $value;
}
}
/**
* Check if given array is hash or just normal indexed array.
*
* @internal
*
* @param array|\ArrayObject|\stdClass $value The PHP array or array-like object to check
*
* @return bool true if value is hash array, false otherwise
*/
public static function isHash($value)
{
if ($value instanceof \stdClass || $value instanceof \ArrayObject) {
return true;
}
$expectedKey = 0;
foreach ($value as $key => $val) {
if ($key !== $expectedKey++) {
return true;
}
}
return false;
}
/**
* Dumps a PHP array to a YAML string.
*
* @param array $value The PHP array to dump
* @param int $flags A bit field of Yaml::DUMP_* constants to customize the dumped YAML string
*
* @return string The YAML string representing the PHP array
*/
private static function dumpArray($value, $flags)
{
// array
if (($value || Yaml::DUMP_EMPTY_ARRAY_AS_SEQUENCE & $flags) && !self::isHash($value)) {
$output = [];
foreach ($value as $val) {
$output[] = self::dump($val, $flags);
}
return sprintf('[%s]', implode(', ', $output));
}
// hash
$output = [];
foreach ($value as $key => $val) {
$output[] = sprintf('%s: %s', self::dump($key, $flags), self::dump($val, $flags));
}
return sprintf('{ %s }', implode(', ', $output));
}
/**
* Parses a YAML scalar.
*
* @param string $scalar
* @param int $flags
* @param string[] $delimiters
* @param int &$i
* @param bool $evaluate
* @param array $references
*
* @return string
*
* @throws ParseException When malformed inline YAML string is parsed
*
* @internal
*/
public static function parseScalar($scalar, $flags = 0, $delimiters = null, &$i = 0, $evaluate = true, $references = [], $legacyOmittedKeySupport = false)
{
if (\in_array($scalar[$i], ['"', "'"])) {
// quoted scalar
$output = self::parseQuotedScalar($scalar, $i);
if (null !== $delimiters) {
$tmp = ltrim(substr($scalar, $i), ' ');
if ('' === $tmp) {
throw new ParseException(sprintf('Unexpected end of line, expected one of "%s".', implode('', $delimiters)), self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
if (!\in_array($tmp[0], $delimiters)) {
throw new ParseException(sprintf('Unexpected characters (%s).', substr($scalar, $i)), self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
}
} else {
// "normal" string
if (!$delimiters) {
$output = substr($scalar, $i);
$i += \strlen($output);
// remove comments
if (Parser::preg_match('/[ \t]+#/', $output, $match, PREG_OFFSET_CAPTURE)) {
$output = substr($output, 0, $match[0][1]);
}
} elseif (Parser::preg_match('/^(.'.($legacyOmittedKeySupport ? '+' : '*').'?)('.implode('|', $delimiters).')/', substr($scalar, $i), $match)) {
$output = $match[1];
$i += \strlen($output);
} else {
throw new ParseException(sprintf('Malformed inline YAML string: "%s".', $scalar), self::$parsedLineNumber + 1, null, self::$parsedFilename);
}
// a non-quoted string cannot start with @ or ` (reserved) nor with a scalar indicator (| or >)
if ($output && ('@' === $output[0] || '`' === $output[0] || '|' === $output[0] || '>' === $output[0])) {
throw new ParseException(sprintf('The reserved indicator "%s" cannot start a plain scalar; you need to quote the scalar.', $output[0]), self::$parsedLineNumber + 1, $output, self::$parsedFilename);
}
if ($output && '%' === $output[0]) {
@trigger_error(self::getDeprecationMessage(sprintf('Not quoting the scalar "%s" starting with the "%%" indicator character is deprecated since Symfony 3.1 and will throw a ParseException in 4.0.', $output)), E_USER_DEPRECATED);
}
if ($evaluate) {
$output = self::evaluateScalar($output, $flags, $references);
}
}
return $output;
}
/**
* Parses a YAML quoted scalar.
*
* @param string $scalar
* @param int &$i
*
* @return string
*
* @throws ParseException When malformed inline YAML string is parsed
*/
private static function parseQuotedScalar($scalar, &$i)
{
if (!Parser::preg_match('/'.self::REGEX_QUOTED_STRING.'/Au', substr($scalar, $i), $match)) {
throw new ParseException(sprintf('Malformed inline YAML string: "%s".', substr($scalar, $i)), self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
$output = substr($match[0], 1, \strlen($match[0]) - 2);
$unescaper = new Unescaper();
if ('"' == $scalar[$i]) {
$output = $unescaper->unescapeDoubleQuotedString($output);
} else {
$output = $unescaper->unescapeSingleQuotedString($output);
}
$i += \strlen($match[0]);
return $output;
}
/**
* Parses a YAML sequence.
*
* @param string $sequence
* @param int $flags
* @param int &$i
* @param array $references
*
* @return array
*
* @throws ParseException When malformed inline YAML string is parsed
*/
private static function parseSequence($sequence, $flags, &$i = 0, $references = [])
{
$output = [];
$len = \strlen($sequence);
++$i;
// [foo, bar, ...]
while ($i < $len) {
if (']' === $sequence[$i]) {
return $output;
}
if (',' === $sequence[$i] || ' ' === $sequence[$i]) {
++$i;
continue;
}
$tag = self::parseTag($sequence, $i, $flags);
switch ($sequence[$i]) {
case '[':
// nested sequence
$value = self::parseSequence($sequence, $flags, $i, $references);
break;
case '{':
// nested mapping
$value = self::parseMapping($sequence, $flags, $i, $references);
break;
default:
$isQuoted = \in_array($sequence[$i], ['"', "'"]);
$value = self::parseScalar($sequence, $flags, [',', ']'], $i, null === $tag, $references);
// the value can be an array if a reference has been resolved to an array var
if (\is_string($value) && !$isQuoted && false !== strpos($value, ': ')) {
// embedded mapping?
try {
$pos = 0;
$value = self::parseMapping('{'.$value.'}', $flags, $pos, $references);
} catch (\InvalidArgumentException $e) {
// no, it's not
}
}
--$i;
}
if (null !== $tag) {
$value = new TaggedValue($tag, $value);
}
$output[] = $value;
++$i;
}
throw new ParseException(sprintf('Malformed inline YAML string: "%s".', $sequence), self::$parsedLineNumber + 1, null, self::$parsedFilename);
}
/**
* Parses a YAML mapping.
*
* @param string $mapping
* @param int $flags
* @param int &$i
* @param array $references
*
* @return array|\stdClass
*
* @throws ParseException When malformed inline YAML string is parsed
*/
private static function parseMapping($mapping, $flags, &$i = 0, $references = [])
{
$output = [];
$len = \strlen($mapping);
++$i;
$allowOverwrite = false;
// {foo: bar, bar:foo, ...}
while ($i < $len) {
switch ($mapping[$i]) {
case ' ':
case ',':
++$i;
continue 2;
case '}':
if (self::$objectForMap) {
return (object) $output;
}
return $output;
}
// key
$isKeyQuoted = \in_array($mapping[$i], ['"', "'"], true);
$key = self::parseScalar($mapping, $flags, [':', ' '], $i, false, [], true);
if ('!php/const' === $key) {
$key .= self::parseScalar($mapping, $flags, [':', ' '], $i, false, [], true);
if ('!php/const:' === $key && ':' !== $mapping[$i]) {
$key = '';
--$i;
} else {
$key = self::evaluateScalar($key, $flags);
}
}
if (':' !== $key && false === $i = strpos($mapping, ':', $i)) {
break;
}
if (':' === $key) {
@trigger_error(self::getDeprecationMessage('Omitting the key of a mapping is deprecated and will throw a ParseException in 4.0.'), E_USER_DEPRECATED);
}
if (!$isKeyQuoted) {
$evaluatedKey = self::evaluateScalar($key, $flags, $references);
if ('' !== $key && $evaluatedKey !== $key && !\is_string($evaluatedKey) && !\is_int($evaluatedKey)) {
@trigger_error(self::getDeprecationMessage('Implicit casting of incompatible mapping keys to strings is deprecated since Symfony 3.3 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0. Quote your evaluable mapping keys instead.'), E_USER_DEPRECATED);
}
}
if (':' !== $key && !$isKeyQuoted && (!isset($mapping[$i + 1]) || !\in_array($mapping[$i + 1], [' ', ',', '[', ']', '{', '}'], true))) {
@trigger_error(self::getDeprecationMessage('Using a colon after an unquoted mapping key that is not followed by an indication character (i.e. " ", ",", "[", "]", "{", "}") is deprecated since Symfony 3.2 and will throw a ParseException in 4.0.'), E_USER_DEPRECATED);
}
if ('<<' === $key) {
$allowOverwrite = true;
}
while ($i < $len) {
if (':' === $mapping[$i] || ' ' === $mapping[$i]) {
++$i;
continue;
}
$tag = self::parseTag($mapping, $i, $flags);
switch ($mapping[$i]) {
case '[':
// nested sequence
$value = self::parseSequence($mapping, $flags, $i, $references);
// Spec: Keys MUST be unique; first one wins.
// Parser cannot abort this mapping earlier, since lines
// are processed sequentially.
// But overwriting is allowed when a merge node is used in current block.
if ('<<' === $key) {
foreach ($value as $parsedValue) {
$output += $parsedValue;
}
} elseif ($allowOverwrite || !isset($output[$key])) {
if (null !== $tag) {
$output[$key] = new TaggedValue($tag, $value);
} else {
$output[$key] = $value;
}
} elseif (isset($output[$key])) {
@trigger_error(self::getDeprecationMessage(sprintf('Duplicate key "%s" detected whilst parsing YAML. Silent handling of duplicate mapping keys in YAML is deprecated since Symfony 3.2 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0.', $key)), E_USER_DEPRECATED);
}
break;
case '{':
// nested mapping
$value = self::parseMapping($mapping, $flags, $i, $references);
// Spec: Keys MUST be unique; first one wins.
// Parser cannot abort this mapping earlier, since lines
// are processed sequentially.
// But overwriting is allowed when a merge node is used in current block.
if ('<<' === $key) {
$output += $value;
} elseif ($allowOverwrite || !isset($output[$key])) {
if (null !== $tag) {
$output[$key] = new TaggedValue($tag, $value);
} else {
$output[$key] = $value;
}
} elseif (isset($output[$key])) {
@trigger_error(self::getDeprecationMessage(sprintf('Duplicate key "%s" detected whilst parsing YAML. Silent handling of duplicate mapping keys in YAML is deprecated since Symfony 3.2 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0.', $key)), E_USER_DEPRECATED);
}
break;
default:
$value = self::parseScalar($mapping, $flags, [',', '}'], $i, null === $tag, $references);
// Spec: Keys MUST be unique; first one wins.
// Parser cannot abort this mapping earlier, since lines
// are processed sequentially.
// But overwriting is allowed when a merge node is used in current block.
if ('<<' === $key) {
$output += $value;
} elseif ($allowOverwrite || !isset($output[$key])) {
if (null !== $tag) {
$output[$key] = new TaggedValue($tag, $value);
} else {
$output[$key] = $value;
}
} elseif (isset($output[$key])) {
@trigger_error(self::getDeprecationMessage(sprintf('Duplicate key "%s" detected whilst parsing YAML. Silent handling of duplicate mapping keys in YAML is deprecated since Symfony 3.2 and will throw \Symfony\Component\Yaml\Exception\ParseException in 4.0.', $key)), E_USER_DEPRECATED);
}
--$i;
}
++$i;
continue 2;
}
}
throw new ParseException(sprintf('Malformed inline YAML string: "%s".', $mapping), self::$parsedLineNumber + 1, null, self::$parsedFilename);
}
/**
* Evaluates scalars and replaces magic values.
*
* @param string $scalar
* @param int $flags
* @param array $references
*
* @return mixed The evaluated YAML string
*
* @throws ParseException when object parsing support was disabled and the parser detected a PHP object or when a reference could not be resolved
*/
private static function evaluateScalar($scalar, $flags, $references = [])
{
$scalar = trim($scalar);
$scalarLower = strtolower($scalar);
if (0 === strpos($scalar, '*')) {
if (false !== $pos = strpos($scalar, '#')) {
$value = substr($scalar, 1, $pos - 2);
} else {
$value = substr($scalar, 1);
}
// an unquoted *
if (false === $value || '' === $value) {
throw new ParseException('A reference must contain at least one character.', self::$parsedLineNumber + 1, $value, self::$parsedFilename);
}
if (!\array_key_exists($value, $references)) {
throw new ParseException(sprintf('Reference "%s" does not exist.', $value), self::$parsedLineNumber + 1, $value, self::$parsedFilename);
}
return $references[$value];
}
switch (true) {
case 'null' === $scalarLower:
case '' === $scalar:
case '~' === $scalar:
return null;
case 'true' === $scalarLower:
return true;
case 'false' === $scalarLower:
return false;
case '!' === $scalar[0]:
switch (true) {
case 0 === strpos($scalar, '!str'):
@trigger_error(self::getDeprecationMessage('Support for the !str tag is deprecated since Symfony 3.4. Use the !!str tag instead.'), E_USER_DEPRECATED);
return (string) substr($scalar, 5);
case 0 === strpos($scalar, '!!str '):
return (string) substr($scalar, 6);
case 0 === strpos($scalar, '! '):
@trigger_error(self::getDeprecationMessage('Using the non-specific tag "!" is deprecated since Symfony 3.4 as its behavior will change in 4.0. It will force non-evaluating your values in 4.0. Use plain integers or !!float instead.'), E_USER_DEPRECATED);
return (int) self::parseScalar(substr($scalar, 2), $flags);
case 0 === strpos($scalar, '!php/object:'):
if (self::$objectSupport) {
@trigger_error(self::getDeprecationMessage('The !php/object: tag to indicate dumped PHP objects is deprecated since Symfony 3.4 and will be removed in 4.0. Use the !php/object (without the colon) tag instead.'), E_USER_DEPRECATED);
return unserialize(substr($scalar, 12));
}
if (self::$exceptionOnInvalidType) {
throw new ParseException('Object support when parsing a YAML file has been disabled.', self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
return null;
case 0 === strpos($scalar, '!!php/object:'):
if (self::$objectSupport) {
@trigger_error(self::getDeprecationMessage('The !!php/object: tag to indicate dumped PHP objects is deprecated since Symfony 3.1 and will be removed in 4.0. Use the !php/object (without the colon) tag instead.'), E_USER_DEPRECATED);
return unserialize(substr($scalar, 13));
}
if (self::$exceptionOnInvalidType) {
throw new ParseException('Object support when parsing a YAML file has been disabled.', self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
return null;
case 0 === strpos($scalar, '!php/object'):
if (self::$objectSupport) {
if (!isset($scalar[12])) {
return false;
}
return unserialize(self::parseScalar(substr($scalar, 12)));
}
if (self::$exceptionOnInvalidType) {
throw new ParseException('Object support when parsing a YAML file has been disabled.', self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
return null;
case 0 === strpos($scalar, '!php/const:'):
if (self::$constantSupport) {
@trigger_error(self::getDeprecationMessage('The !php/const: tag to indicate dumped PHP constants is deprecated since Symfony 3.4 and will be removed in 4.0. Use the !php/const (without the colon) tag instead.'), E_USER_DEPRECATED);
if (\defined($const = substr($scalar, 11))) {
return \constant($const);
}
throw new ParseException(sprintf('The constant "%s" is not defined.', $const), self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
if (self::$exceptionOnInvalidType) {
throw new ParseException(sprintf('The string "%s" could not be parsed as a constant. Did you forget to pass the "Yaml::PARSE_CONSTANT" flag to the parser?', $scalar), self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
return null;
case 0 === strpos($scalar, '!php/const'):
if (self::$constantSupport) {
if (!isset($scalar[11])) {
return '';
}
$i = 0;
if (\defined($const = self::parseScalar(substr($scalar, 11), 0, null, $i, false))) {
return \constant($const);
}
throw new ParseException(sprintf('The constant "%s" is not defined.', $const), self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
if (self::$exceptionOnInvalidType) {
throw new ParseException(sprintf('The string "%s" could not be parsed as a constant. Did you forget to pass the "Yaml::PARSE_CONSTANT" flag to the parser?', $scalar), self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
return null;
case 0 === strpos($scalar, '!!float '):
return (float) substr($scalar, 8);
case 0 === strpos($scalar, '!!binary '):
return self::evaluateBinaryScalar(substr($scalar, 9));
default:
@trigger_error(self::getDeprecationMessage(sprintf('Using the unquoted scalar value "%s" is deprecated since Symfony 3.3 and will be considered as a tagged value in 4.0. You must quote it.', $scalar)), E_USER_DEPRECATED);
}
// Optimize for returning strings.
// no break
case '+' === $scalar[0] || '-' === $scalar[0] || '.' === $scalar[0] || is_numeric($scalar[0]):
if (Parser::preg_match('{^[+-]?[0-9][0-9_]*$}', $scalar)) {
$scalar = str_replace('_', '', (string) $scalar);
}
switch (true) {
case ctype_digit($scalar):
$raw = $scalar;
$cast = (int) $scalar;
return '0' == $scalar[0] ? octdec($scalar) : (((string) $raw == (string) $cast) ? $cast : $raw);
case '-' === $scalar[0] && ctype_digit(substr($scalar, 1)):
$raw = $scalar;
$cast = (int) $scalar;
return '0' == $scalar[1] ? -octdec(substr($scalar, 1)) : (($raw === (string) $cast) ? $cast : $raw);
case is_numeric($scalar):
case Parser::preg_match(self::getHexRegex(), $scalar):
$scalar = str_replace('_', '', $scalar);
return '0x' === $scalar[0].$scalar[1] ? hexdec($scalar) : (float) $scalar;
case '.inf' === $scalarLower:
case '.nan' === $scalarLower:
return -log(0);
case '-.inf' === $scalarLower:
return log(0);
case Parser::preg_match('/^(-|\+)?[0-9][0-9,]*(\.[0-9_]+)?$/', $scalar):
case Parser::preg_match('/^(-|\+)?[0-9][0-9_]*(\.[0-9_]+)?$/', $scalar):
if (false !== strpos($scalar, ',')) {
@trigger_error(self::getDeprecationMessage('Using the comma as a group separator for floats is deprecated since Symfony 3.2 and will be removed in 4.0.'), E_USER_DEPRECATED);
}
return (float) str_replace([',', '_'], '', $scalar);
case Parser::preg_match(self::getTimestampRegex(), $scalar):
if (Yaml::PARSE_DATETIME & $flags) {
// When no timezone is provided in the parsed date, YAML spec says we must assume UTC.
return new \DateTime($scalar, new \DateTimeZone('UTC'));
}
$timeZone = date_default_timezone_get();
date_default_timezone_set('UTC');
$time = strtotime($scalar);
date_default_timezone_set($timeZone);
return $time;
}
}
return (string) $scalar;
}
/**
* @param string $value
* @param int &$i
* @param int $flags
*
* @return string|null
*/
private static function parseTag($value, &$i, $flags)
{
if ('!' !== $value[$i]) {
return null;
}
$tagLength = strcspn($value, " \t\n", $i + 1);
$tag = substr($value, $i + 1, $tagLength);
$nextOffset = $i + $tagLength + 1;
$nextOffset += strspn($value, ' ', $nextOffset);
// Is followed by a scalar
if ((!isset($value[$nextOffset]) || !\in_array($value[$nextOffset], ['[', '{'], true)) && 'tagged' !== $tag) {
// Manage non-whitelisted scalars in {@link self::evaluateScalar()}
return null;
}
// Built-in tags
if ($tag && '!' === $tag[0]) {
throw new ParseException(sprintf('The built-in tag "!%s" is not implemented.', $tag), self::$parsedLineNumber + 1, $value, self::$parsedFilename);
}
if (Yaml::PARSE_CUSTOM_TAGS & $flags) {
$i = $nextOffset;
return $tag;
}
throw new ParseException(sprintf('Tags support is not enabled. Enable the `Yaml::PARSE_CUSTOM_TAGS` flag to use "!%s".', $tag), self::$parsedLineNumber + 1, $value, self::$parsedFilename);
}
/**
* @param string $scalar
*
* @return string
*
* @internal
*/
public static function evaluateBinaryScalar($scalar)
{
$parsedBinaryData = self::parseScalar(preg_replace('/\s/', '', $scalar));
if (0 !== (\strlen($parsedBinaryData) % 4)) {
throw new ParseException(sprintf('The normalized base64 encoded data (data without whitespace characters) length must be a multiple of four (%d bytes given).', \strlen($parsedBinaryData)), self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
if (!Parser::preg_match('#^[A-Z0-9+/]+={0,2}$#i', $parsedBinaryData)) {
throw new ParseException(sprintf('The base64 encoded data (%s) contains invalid characters.', $parsedBinaryData), self::$parsedLineNumber + 1, $scalar, self::$parsedFilename);
}
return base64_decode($parsedBinaryData, true);
}
private static function isBinaryString($value)
{
return !preg_match('//u', $value) || preg_match('/[^\x00\x07-\x0d\x1B\x20-\xff]/', $value);
}
/**
* Gets a regex that matches a YAML date.
*
* @return string The regular expression
*
* @see http://www.yaml.org/spec/1.2/spec.html#id2761573
*/
private static function getTimestampRegex()
{
return <<[0-9][0-9][0-9][0-9])
-(?P[0-9][0-9]?)
-(?P[0-9][0-9]?)
(?:(?:[Tt]|[ \t]+)
(?P[0-9][0-9]?)
:(?P[0-9][0-9])
:(?P[0-9][0-9])
(?:\.(?P[0-9]*))?
(?:[ \t]*(?PZ|(?P[-+])(?P[0-9][0-9]?)
(?::(?P[0-9][0-9]))?))?)?
$~x
EOF;
}
/**
* Gets a regex that matches a YAML number in hexadecimal notation.
*
* @return string
*/
private static function getHexRegex()
{
return '~^0x[0-9a-f_]++$~i';
}
private static function getDeprecationMessage($message)
{
$message = rtrim($message, '.');
if (null !== self::$parsedFilename) {
$message .= ' in '.self::$parsedFilename;
}
if (-1 !== self::$parsedLineNumber) {
$message .= ' on line '.(self::$parsedLineNumber + 1);
}
return $message.'.';
}
}
yaml/Command/error_log; 0000644 00000035076 14716422132 0011111 0 ustar 00 [13-Sep-2023 14:21:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[29-Sep-2023 12:41:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[29-Sep-2023 16:06:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[30-Sep-2023 18:00:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[30-Sep-2023 19:30:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[19-Nov-2023 09:32:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[21-Nov-2023 16:21:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[21-Nov-2023 21:05:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[21-Nov-2023 21:16:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[22-Nov-2023 20:53:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[31-Dec-2023 19:19:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[01-Jan-2024 03:50:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[15-Feb-2024 23:25:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[17-Feb-2024 08:26:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[11-Mar-2024 22:36:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[11-Apr-2024 06:41:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[20-Apr-2024 08:32:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[22-Apr-2024 08:09:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[04-May-2024 21:38:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[04-May-2024 22:08:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[05-May-2024 03:29:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[05-May-2024 08:04:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[05-May-2024 18:16:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[14-May-2024 12:33:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[20-May-2024 03:32:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[25-May-2024 21:37:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[28-May-2024 14:48:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[28-May-2024 22:04:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[02-Jun-2024 20:22:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[02-Jun-2024 20:32:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[15-Jun-2024 00:57:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[15-Jun-2024 16:48:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[18-Jun-2024 19:44:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[19-Jun-2024 04:45:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[19-Jun-2024 16:08:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[21-Jun-2024 02:04:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[27-Jun-2024 02:37:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[28-Jun-2024 16:44:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[03-Jul-2024 20:35:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[07-Jul-2024 04:13:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[22-Jul-2024 07:27:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[22-Jul-2024 16:40:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[28-Jul-2024 05:48:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[01-Aug-2024 20:53:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[01-Aug-2024 21:16:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[09-Aug-2024 20:55:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[12-Aug-2024 15:55:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[17-Aug-2024 08:21:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[23-Aug-2024 18:12:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[26-Aug-2024 10:38:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[29-Aug-2024 20:38:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[30-Aug-2024 04:23:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[30-Aug-2024 14:21:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[30-Aug-2024 14:23:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[01-Sep-2024 20:19:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[04-Sep-2024 21:00:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[11-Sep-2024 20:10:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[16-Sep-2024 01:44:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[20-Sep-2024 02:04:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[22-Sep-2024 19:04:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[28-Sep-2024 20:28:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[02-Oct-2024 17:20:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[17-Oct-2024 15:53:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[17-Oct-2024 16:41:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[20-Oct-2024 21:00:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[23-Oct-2024 01:51:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[23-Oct-2024 14:39:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[29-Oct-2024 01:31:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[31-Oct-2024 22:37:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
[06-Nov-2024 12:13:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Console\Command\Command' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Command/LintCommand.php on line 31
yaml/Command/LintCommand.php 0000644 00000017354 14716422132 0012016 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Command;
use Symfony\Component\Console\Command\Command;
use Symfony\Component\Console\Exception\InvalidArgumentException;
use Symfony\Component\Console\Exception\RuntimeException;
use Symfony\Component\Console\Input\InputInterface;
use Symfony\Component\Console\Input\InputOption;
use Symfony\Component\Console\Output\OutputInterface;
use Symfony\Component\Console\Style\SymfonyStyle;
use Symfony\Component\Yaml\Exception\ParseException;
use Symfony\Component\Yaml\Parser;
use Symfony\Component\Yaml\Yaml;
/**
* Validates YAML files syntax and outputs encountered errors.
*
* @author Grégoire Pineau
* @author Robin Chalas
*/
class LintCommand extends Command
{
protected static $defaultName = 'lint:yaml';
private $parser;
private $format;
private $displayCorrectFiles;
private $directoryIteratorProvider;
private $isReadableProvider;
public function __construct($name = null, $directoryIteratorProvider = null, $isReadableProvider = null)
{
parent::__construct($name);
$this->directoryIteratorProvider = $directoryIteratorProvider;
$this->isReadableProvider = $isReadableProvider;
}
/**
* {@inheritdoc}
*/
protected function configure()
{
$this
->setDescription('Lints a file and outputs encountered errors')
->addArgument('filename', null, 'A file or a directory or STDIN')
->addOption('format', null, InputOption::VALUE_REQUIRED, 'The output format', 'txt')
->addOption('parse-tags', null, InputOption::VALUE_NONE, 'Parse custom tags')
->setHelp(<<%command.name% command lints a YAML file and outputs to STDOUT
the first encountered syntax error.
You can validates YAML contents passed from STDIN:
cat filename | php %command.full_name%
You can also validate the syntax of a file:
php %command.full_name% filename
Or of a whole directory:
php %command.full_name% dirname
php %command.full_name% dirname --format=json
EOF
)
;
}
protected function execute(InputInterface $input, OutputInterface $output)
{
$io = new SymfonyStyle($input, $output);
$filename = $input->getArgument('filename');
$this->format = $input->getOption('format');
$this->displayCorrectFiles = $output->isVerbose();
$flags = $input->getOption('parse-tags') ? Yaml::PARSE_CUSTOM_TAGS : 0;
if (!$filename) {
if (!$stdin = $this->getStdin()) {
throw new RuntimeException('Please provide a filename or pipe file content to STDIN.');
}
return $this->display($io, [$this->validate($stdin, $flags)]);
}
if (!$this->isReadable($filename)) {
throw new RuntimeException(sprintf('File or directory "%s" is not readable.', $filename));
}
$filesInfo = [];
foreach ($this->getFiles($filename) as $file) {
$filesInfo[] = $this->validate(file_get_contents($file), $flags, $file);
}
return $this->display($io, $filesInfo);
}
private function validate($content, $flags, $file = null)
{
$prevErrorHandler = set_error_handler(function ($level, $message, $file, $line) use (&$prevErrorHandler) {
if (E_USER_DEPRECATED === $level) {
throw new ParseException($message, $this->getParser()->getRealCurrentLineNb() + 1);
}
return $prevErrorHandler ? $prevErrorHandler($level, $message, $file, $line) : false;
});
try {
$this->getParser()->parse($content, Yaml::PARSE_CONSTANT | $flags);
} catch (ParseException $e) {
return ['file' => $file, 'line' => $e->getParsedLine(), 'valid' => false, 'message' => $e->getMessage()];
} finally {
restore_error_handler();
}
return ['file' => $file, 'valid' => true];
}
private function display(SymfonyStyle $io, array $files)
{
switch ($this->format) {
case 'txt':
return $this->displayTxt($io, $files);
case 'json':
return $this->displayJson($io, $files);
default:
throw new InvalidArgumentException(sprintf('The format "%s" is not supported.', $this->format));
}
}
private function displayTxt(SymfonyStyle $io, array $filesInfo)
{
$countFiles = \count($filesInfo);
$erroredFiles = 0;
foreach ($filesInfo as $info) {
if ($info['valid'] && $this->displayCorrectFiles) {
$io->comment('OK'.($info['file'] ? sprintf(' in %s', $info['file']) : ''));
} elseif (!$info['valid']) {
++$erroredFiles;
$io->text(' ERROR '.($info['file'] ? sprintf(' in %s', $info['file']) : ''));
$io->text(sprintf(' >> %s', $info['message']));
}
}
if (0 === $erroredFiles) {
$io->success(sprintf('All %d YAML files contain valid syntax.', $countFiles));
} else {
$io->warning(sprintf('%d YAML files have valid syntax and %d contain errors.', $countFiles - $erroredFiles, $erroredFiles));
}
return min($erroredFiles, 1);
}
private function displayJson(SymfonyStyle $io, array $filesInfo)
{
$errors = 0;
array_walk($filesInfo, function (&$v) use (&$errors) {
$v['file'] = (string) $v['file'];
if (!$v['valid']) {
++$errors;
}
});
$io->writeln(json_encode($filesInfo, JSON_PRETTY_PRINT | JSON_UNESCAPED_SLASHES));
return min($errors, 1);
}
private function getFiles($fileOrDirectory)
{
if (is_file($fileOrDirectory)) {
yield new \SplFileInfo($fileOrDirectory);
return;
}
foreach ($this->getDirectoryIterator($fileOrDirectory) as $file) {
if (!\in_array($file->getExtension(), ['yml', 'yaml'])) {
continue;
}
yield $file;
}
}
/**
* @return string|null
*/
private function getStdin()
{
if (0 !== ftell(STDIN)) {
return null;
}
$inputs = '';
while (!feof(STDIN)) {
$inputs .= fread(STDIN, 1024);
}
return $inputs;
}
private function getParser()
{
if (!$this->parser) {
$this->parser = new Parser();
}
return $this->parser;
}
private function getDirectoryIterator($directory)
{
$default = function ($directory) {
return new \RecursiveIteratorIterator(
new \RecursiveDirectoryIterator($directory, \FilesystemIterator::SKIP_DOTS | \FilesystemIterator::FOLLOW_SYMLINKS),
\RecursiveIteratorIterator::LEAVES_ONLY
);
};
if (null !== $this->directoryIteratorProvider) {
return \call_user_func($this->directoryIteratorProvider, $directory, $default);
}
return $default($directory);
}
private function isReadable($fileOrDirectory)
{
$default = function ($fileOrDirectory) {
return is_readable($fileOrDirectory);
};
if (null !== $this->isReadableProvider) {
return \call_user_func($this->isReadableProvider, $fileOrDirectory, $default);
}
return $default($fileOrDirectory);
}
}
yaml/.gitignore 0000644 00000000042 14716422132 0007474 0 ustar 00 vendor/
composer.lock
phpunit.xml
yaml/Exception/error_log; 0000644 00000117611 14716422132 0011465 0 ustar 00 [19-Sep-2023 23:37:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[22-Sep-2023 20:24:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[27-Sep-2023 02:09:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[29-Sep-2023 12:41:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[29-Sep-2023 12:41:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[29-Sep-2023 12:41:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[29-Sep-2023 16:06:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[29-Sep-2023 16:06:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[29-Sep-2023 16:06:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[30-Sep-2023 18:00:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[30-Sep-2023 18:00:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[30-Sep-2023 18:00:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[30-Sep-2023 19:30:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[30-Sep-2023 19:30:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[30-Sep-2023 19:30:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[17-Nov-2023 07:06:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[17-Nov-2023 07:10:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[21-Nov-2023 15:22:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[21-Nov-2023 15:22:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[21-Nov-2023 15:22:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[22-Nov-2023 02:11:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[22-Nov-2023 02:12:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[22-Nov-2023 02:12:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[22-Nov-2023 04:06:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[22-Nov-2023 04:06:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[22-Nov-2023 04:06:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[23-Nov-2023 22:32:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[23-Nov-2023 22:32:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[23-Nov-2023 22:32:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[26-Nov-2023 18:15:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[28-Nov-2023 11:41:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[29-Nov-2023 00:19:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[08-Dec-2023 00:08:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[08-Dec-2023 23:21:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[03-Jan-2024 09:34:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[04-Jan-2024 23:41:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[17-Jan-2024 17:06:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[27-Jan-2024 20:25:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[16-Feb-2024 16:59:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[17-Feb-2024 06:56:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[18-Feb-2024 13:47:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[20-Feb-2024 15:07:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[22-Feb-2024 12:40:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[06-Apr-2024 11:39:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[21-Apr-2024 06:15:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[22-Apr-2024 06:09:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[23-Apr-2024 16:21:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[24-Apr-2024 22:56:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[26-Apr-2024 19:44:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[28-Apr-2024 07:28:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[04-May-2024 22:07:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[04-May-2024 22:08:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[04-May-2024 22:08:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[05-May-2024 08:04:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[05-May-2024 08:04:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[05-May-2024 08:04:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[05-May-2024 18:15:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[05-May-2024 18:15:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[05-May-2024 18:15:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[12-May-2024 22:48:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[13-May-2024 04:05:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[13-May-2024 05:04:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[14-May-2024 06:01:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[14-May-2024 12:33:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[14-May-2024 12:33:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[14-May-2024 12:33:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[20-May-2024 01:56:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[20-May-2024 16:59:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[20-May-2024 17:30:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[28-May-2024 10:13:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[28-May-2024 22:29:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[30-May-2024 08:13:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[31-May-2024 22:41:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[03-Jun-2024 11:05:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[15-Jun-2024 04:01:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[15-Jun-2024 04:21:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[15-Jun-2024 16:47:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[15-Jun-2024 16:47:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[15-Jun-2024 16:47:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[18-Jun-2024 19:43:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[18-Jun-2024 19:44:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[18-Jun-2024 19:44:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[19-Jun-2024 04:45:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[19-Jun-2024 04:45:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[19-Jun-2024 04:45:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[19-Jun-2024 16:08:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[19-Jun-2024 16:08:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[19-Jun-2024 16:08:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[21-Jun-2024 04:46:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[21-Jun-2024 04:49:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[27-Jun-2024 05:23:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[27-Jun-2024 06:33:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[27-Jun-2024 18:27:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[28-Jun-2024 18:04:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[28-Jun-2024 19:56:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[28-Jun-2024 23:04:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[02-Jul-2024 14:05:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[02-Jul-2024 16:49:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[03-Jul-2024 01:41:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[07-Jul-2024 21:11:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[08-Jul-2024 04:11:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[08-Jul-2024 21:44:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[14-Jul-2024 23:51:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[18-Jul-2024 19:19:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[18-Jul-2024 20:55:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[20-Jul-2024 21:54:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[22-Jul-2024 16:40:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[22-Jul-2024 16:40:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[22-Jul-2024 16:40:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[26-Jul-2024 03:49:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[31-Jul-2024 23:44:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[02-Aug-2024 23:06:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[07-Aug-2024 08:04:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[07-Aug-2024 08:40:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[07-Aug-2024 23:08:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[08-Aug-2024 02:48:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[08-Aug-2024 21:41:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[09-Aug-2024 19:26:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[12-Aug-2024 18:44:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[17-Aug-2024 09:59:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[17-Aug-2024 12:16:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[18-Aug-2024 07:38:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[18-Aug-2024 08:21:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[18-Aug-2024 08:57:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[24-Aug-2024 02:07:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[24-Aug-2024 02:42:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[30-Aug-2024 06:05:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[30-Aug-2024 13:54:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[30-Aug-2024 14:20:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[30-Aug-2024 14:21:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[30-Aug-2024 14:21:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[30-Aug-2024 14:22:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[30-Aug-2024 14:22:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[30-Aug-2024 14:22:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[01-Sep-2024 20:18:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[01-Sep-2024 20:18:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[01-Sep-2024 20:18:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[04-Sep-2024 23:19:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[05-Sep-2024 03:55:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[07-Sep-2024 06:39:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[10-Sep-2024 19:24:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[11-Sep-2024 08:06:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[11-Sep-2024 20:10:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[11-Sep-2024 20:10:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[11-Sep-2024 20:10:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[13-Sep-2024 02:58:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[14-Sep-2024 22:06:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[15-Sep-2024 00:13:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[15-Sep-2024 11:16:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[15-Sep-2024 17:27:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[15-Sep-2024 23:16:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[16-Sep-2024 18:41:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[17-Sep-2024 02:03:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[20-Sep-2024 00:48:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[21-Sep-2024 11:41:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[25-Sep-2024 22:45:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[26-Sep-2024 01:06:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[27-Sep-2024 06:26:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[01-Oct-2024 10:50:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[09-Oct-2024 01:16:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[10-Oct-2024 04:32:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[11-Oct-2024 23:28:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[14-Oct-2024 15:13:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[17-Oct-2024 09:30:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[17-Oct-2024 16:49:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[18-Oct-2024 02:51:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[18-Oct-2024 09:33:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[18-Oct-2024 12:22:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[18-Oct-2024 12:31:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[19-Oct-2024 04:18:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[22-Oct-2024 10:49:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[28-Oct-2024 19:25:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[29-Oct-2024 01:31:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[29-Oct-2024 01:31:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[29-Oct-2024 01:31:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
[29-Oct-2024 20:14:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[06-Nov-2024 12:13:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/ParseException.php on line 19
[06-Nov-2024 12:13:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Yaml\Exception\RuntimeException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/DumpException.php on line 19
[06-Nov-2024 12:13:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Yaml\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/yaml/Exception/RuntimeException.php on line 19
yaml/Exception/ParseException.php 0000644 00000006533 14716422132 0013117 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Exception;
/**
* Exception class thrown when an error occurs during parsing.
*
* @author Fabien Potencier
*/
class ParseException extends RuntimeException
{
private $parsedFile;
private $parsedLine;
private $snippet;
private $rawMessage;
/**
* @param string $message The error message
* @param int $parsedLine The line where the error occurred
* @param string|null $snippet The snippet of code near the problem
* @param string|null $parsedFile The file name where the error occurred
* @param \Exception|null $previous The previous exception
*/
public function __construct($message, $parsedLine = -1, $snippet = null, $parsedFile = null, \Exception $previous = null)
{
$this->parsedFile = $parsedFile;
$this->parsedLine = $parsedLine;
$this->snippet = $snippet;
$this->rawMessage = $message;
$this->updateRepr();
parent::__construct($this->message, 0, $previous);
}
/**
* Gets the snippet of code near the error.
*
* @return string The snippet of code
*/
public function getSnippet()
{
return $this->snippet;
}
/**
* Sets the snippet of code near the error.
*
* @param string $snippet The code snippet
*/
public function setSnippet($snippet)
{
$this->snippet = $snippet;
$this->updateRepr();
}
/**
* Gets the filename where the error occurred.
*
* This method returns null if a string is parsed.
*
* @return string The filename
*/
public function getParsedFile()
{
return $this->parsedFile;
}
/**
* Sets the filename where the error occurred.
*
* @param string $parsedFile The filename
*/
public function setParsedFile($parsedFile)
{
$this->parsedFile = $parsedFile;
$this->updateRepr();
}
/**
* Gets the line where the error occurred.
*
* @return int The file line
*/
public function getParsedLine()
{
return $this->parsedLine;
}
/**
* Sets the line where the error occurred.
*
* @param int $parsedLine The file line
*/
public function setParsedLine($parsedLine)
{
$this->parsedLine = $parsedLine;
$this->updateRepr();
}
private function updateRepr()
{
$this->message = $this->rawMessage;
$dot = false;
if ('.' === substr($this->message, -1)) {
$this->message = substr($this->message, 0, -1);
$dot = true;
}
if (null !== $this->parsedFile) {
$this->message .= sprintf(' in %s', json_encode($this->parsedFile, JSON_UNESCAPED_SLASHES | JSON_UNESCAPED_UNICODE));
}
if ($this->parsedLine >= 0) {
$this->message .= sprintf(' at line %d', $this->parsedLine);
}
if ($this->snippet) {
$this->message .= sprintf(' (near "%s")', $this->snippet);
}
if ($dot) {
$this->message .= '.';
}
}
}
yaml/Exception/DumpException.php 0000644 00000000707 14716422132 0012747 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Exception;
/**
* Exception class thrown when an error occurs during dumping.
*
* @author Fabien Potencier
*/
class DumpException extends RuntimeException
{
}
yaml/Exception/ExceptionInterface.php 0000644 00000000673 14716422132 0013744 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Exception;
/**
* Exception interface for all exceptions thrown by the component.
*
* @author Fabien Potencier
*/
interface ExceptionInterface
{
}
yaml/Exception/RuntimeException.php 0000644 00000000745 14716422132 0013467 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Yaml\Exception;
/**
* Exception class thrown when an error occurs during parsing.
*
* @author Romain Neutron
*/
class RuntimeException extends \RuntimeException implements ExceptionInterface
{
}
filesystem/composer.json 0000644 00000001460 14716422132 0011455 0 ustar 00 {
"name": "symfony/filesystem",
"type": "library",
"description": "Symfony Filesystem Component",
"keywords": [],
"homepage": "https://symfony.com",
"license": "MIT",
"authors": [
{
"name": "Fabien Potencier",
"email": "fabien@symfony.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"require": {
"php": "^5.5.9|>=7.0.8",
"symfony/polyfill-ctype": "~1.8"
},
"autoload": {
"psr-4": { "Symfony\\Component\\Filesystem\\": "" },
"exclude-from-classmap": [
"/Tests/"
]
},
"minimum-stability": "dev",
"extra": {
"branch-alias": {
"dev-master": "3.4-dev"
}
}
}
filesystem/LICENSE 0000644 00000002051 14716422132 0007735 0 ustar 00 Copyright (c) 2004-2020 Fabien Potencier
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is furnished
to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
filesystem/Tests/FilesystemTestCase.php 0000644 00000011571 14716422132 0014332 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Filesystem\Filesystem;
class FilesystemTestCase extends TestCase
{
private $umask;
protected $longPathNamesWindows = [];
/**
* @var Filesystem
*/
protected $filesystem = null;
/**
* @var string
*/
protected $workspace = null;
/**
* @var bool|null Flag for hard links on Windows
*/
private static $linkOnWindows = null;
/**
* @var bool|null Flag for symbolic links on Windows
*/
private static $symlinkOnWindows = null;
public static function setUpBeforeClass()
{
if ('\\' === \DIRECTORY_SEPARATOR) {
self::$linkOnWindows = true;
$originFile = tempnam(sys_get_temp_dir(), 'li');
$targetFile = tempnam(sys_get_temp_dir(), 'li');
if (true !== @link($originFile, $targetFile)) {
$report = error_get_last();
if (\is_array($report) && false !== strpos($report['message'], 'error code(1314)')) {
self::$linkOnWindows = false;
}
} else {
@unlink($targetFile);
}
self::$symlinkOnWindows = true;
$originDir = tempnam(sys_get_temp_dir(), 'sl');
$targetDir = tempnam(sys_get_temp_dir(), 'sl');
if (true !== @symlink($originDir, $targetDir)) {
$report = error_get_last();
if (\is_array($report) && false !== strpos($report['message'], 'error code(1314)')) {
self::$symlinkOnWindows = false;
}
} else {
@unlink($targetDir);
}
}
}
protected function setUp()
{
$this->umask = umask(0);
$this->filesystem = new Filesystem();
$this->workspace = sys_get_temp_dir().'/'.microtime(true).'.'.mt_rand();
mkdir($this->workspace, 0777, true);
$this->workspace = realpath($this->workspace);
}
protected function tearDown()
{
if (!empty($this->longPathNamesWindows)) {
foreach ($this->longPathNamesWindows as $path) {
exec('DEL '.$path);
}
$this->longPathNamesWindows = [];
}
$this->filesystem->remove($this->workspace);
umask($this->umask);
}
/**
* @param int $expectedFilePerms Expected file permissions as three digits (i.e. 755)
* @param string $filePath
*/
protected function assertFilePermissions($expectedFilePerms, $filePath)
{
$actualFilePerms = (int) substr(sprintf('%o', fileperms($filePath)), -3);
$this->assertEquals(
$expectedFilePerms,
$actualFilePerms,
sprintf('File permissions for %s must be %s. Actual %s', $filePath, $expectedFilePerms, $actualFilePerms)
);
}
protected function getFileOwner($filepath)
{
$this->markAsSkippedIfPosixIsMissing();
$infos = stat($filepath);
return ($datas = posix_getpwuid($infos['uid'])) ? $datas['name'] : null;
}
protected function getFileGroup($filepath)
{
$this->markAsSkippedIfPosixIsMissing();
$infos = stat($filepath);
if ($datas = posix_getgrgid($infos['gid'])) {
return $datas['name'];
}
$this->markTestSkipped('Unable to retrieve file group name');
}
protected function markAsSkippedIfLinkIsMissing()
{
if (!\function_exists('link')) {
$this->markTestSkipped('link is not supported');
}
if ('\\' === \DIRECTORY_SEPARATOR && false === self::$linkOnWindows) {
$this->markTestSkipped('link requires "Create hard links" privilege on windows');
}
}
protected function markAsSkippedIfSymlinkIsMissing($relative = false)
{
if ('\\' === \DIRECTORY_SEPARATOR && false === self::$symlinkOnWindows) {
$this->markTestSkipped('symlink requires "Create symbolic links" privilege on Windows');
}
// https://bugs.php.net/69473
if ($relative && '\\' === \DIRECTORY_SEPARATOR && 1 === PHP_ZTS) {
$this->markTestSkipped('symlink does not support relative paths on thread safe Windows PHP versions');
}
}
protected function markAsSkippedIfChmodIsMissing()
{
if ('\\' === \DIRECTORY_SEPARATOR) {
$this->markTestSkipped('chmod is not supported on Windows');
}
}
protected function markAsSkippedIfPosixIsMissing()
{
if (!\function_exists('posix_isatty')) {
$this->markTestSkipped('Function posix_isatty is required.');
}
}
}
filesystem/Tests/Fixtures/MockStream/MockStream.php 0000644 00000002636 14716422132 0016477 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem\Tests\Fixtures\MockStream;
/**
* Mock stream class to be used with stream_wrapper_register.
* stream_wrapper_register('mock', 'Symfony\Component\Filesystem\Tests\Fixtures\MockStream\MockStream').
*/
class MockStream
{
/**
* Opens file or URL.
*
* @param string $path Specifies the URL that was passed to the original function
* @param string $mode The mode used to open the file, as detailed for fopen()
* @param int $options Holds additional flags set by the streams API
* @param string $opened_path If the path is opened successfully, and STREAM_USE_PATH is set in options,
* opened_path should be set to the full path of the file/resource that was actually opened
*
* @return bool
*/
public function stream_open($path, $mode, $options, &$opened_path)
{
return true;
}
/**
* @param string $path The file path or URL to stat
* @param array $flags Holds additional flags set by the streams API
*
* @return array File stats
*/
public function url_stat($path, $flags)
{
return [];
}
}
filesystem/Tests/FilesystemTest.php 0000644 00000153245 14716422132 0013543 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem\Tests;
/**
* Test class for Filesystem.
*/
class FilesystemTest extends FilesystemTestCase
{
public function testCopyCreatesNewFile()
{
$sourceFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_source_file';
$targetFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_target_file';
file_put_contents($sourceFilePath, 'SOURCE FILE');
$this->filesystem->copy($sourceFilePath, $targetFilePath);
$this->assertFileExists($targetFilePath);
$this->assertStringEqualsFile($targetFilePath, 'SOURCE FILE');
}
public function testCopyFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$sourceFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_source_file';
$targetFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_target_file';
$this->filesystem->copy($sourceFilePath, $targetFilePath);
}
public function testCopyUnreadableFileFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
// skip test on Windows; PHP can't easily set file as unreadable on Windows
if ('\\' === \DIRECTORY_SEPARATOR) {
$this->markTestSkipped('This test cannot run on Windows.');
}
if (!getenv('USER') || 'root' === getenv('USER')) {
$this->markTestSkipped('This test will fail if run under superuser');
}
$sourceFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_source_file';
$targetFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_target_file';
file_put_contents($sourceFilePath, 'SOURCE FILE');
// make sure target cannot be read
$this->filesystem->chmod($sourceFilePath, 0222);
$this->filesystem->copy($sourceFilePath, $targetFilePath);
}
public function testCopyOverridesExistingFileIfModified()
{
$sourceFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_source_file';
$targetFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_target_file';
file_put_contents($sourceFilePath, 'SOURCE FILE');
file_put_contents($targetFilePath, 'TARGET FILE');
touch($targetFilePath, time() - 1000);
$this->filesystem->copy($sourceFilePath, $targetFilePath);
$this->assertFileExists($targetFilePath);
$this->assertStringEqualsFile($targetFilePath, 'SOURCE FILE');
}
public function testCopyDoesNotOverrideExistingFileByDefault()
{
$sourceFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_source_file';
$targetFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_target_file';
file_put_contents($sourceFilePath, 'SOURCE FILE');
file_put_contents($targetFilePath, 'TARGET FILE');
// make sure both files have the same modification time
$modificationTime = time() - 1000;
touch($sourceFilePath, $modificationTime);
touch($targetFilePath, $modificationTime);
$this->filesystem->copy($sourceFilePath, $targetFilePath);
$this->assertFileExists($targetFilePath);
$this->assertStringEqualsFile($targetFilePath, 'TARGET FILE');
}
public function testCopyOverridesExistingFileIfForced()
{
$sourceFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_source_file';
$targetFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_target_file';
file_put_contents($sourceFilePath, 'SOURCE FILE');
file_put_contents($targetFilePath, 'TARGET FILE');
// make sure both files have the same modification time
$modificationTime = time() - 1000;
touch($sourceFilePath, $modificationTime);
touch($targetFilePath, $modificationTime);
$this->filesystem->copy($sourceFilePath, $targetFilePath, true);
$this->assertFileExists($targetFilePath);
$this->assertStringEqualsFile($targetFilePath, 'SOURCE FILE');
}
public function testCopyWithOverrideWithReadOnlyTargetFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
// skip test on Windows; PHP can't easily set file as unwritable on Windows
if ('\\' === \DIRECTORY_SEPARATOR) {
$this->markTestSkipped('This test cannot run on Windows.');
}
if (!getenv('USER') || 'root' === getenv('USER')) {
$this->markTestSkipped('This test will fail if run under superuser');
}
$sourceFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_source_file';
$targetFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_target_file';
file_put_contents($sourceFilePath, 'SOURCE FILE');
file_put_contents($targetFilePath, 'TARGET FILE');
// make sure both files have the same modification time
$modificationTime = time() - 1000;
touch($sourceFilePath, $modificationTime);
touch($targetFilePath, $modificationTime);
// make sure target is read-only
$this->filesystem->chmod($targetFilePath, 0444);
$this->filesystem->copy($sourceFilePath, $targetFilePath, true);
}
public function testCopyCreatesTargetDirectoryIfItDoesNotExist()
{
$sourceFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_source_file';
$targetFileDirectory = $this->workspace.\DIRECTORY_SEPARATOR.'directory';
$targetFilePath = $targetFileDirectory.\DIRECTORY_SEPARATOR.'copy_target_file';
file_put_contents($sourceFilePath, 'SOURCE FILE');
$this->filesystem->copy($sourceFilePath, $targetFilePath);
$this->assertDirectoryExists($targetFileDirectory);
$this->assertFileExists($targetFilePath);
$this->assertStringEqualsFile($targetFilePath, 'SOURCE FILE');
}
/**
* @group network
*/
public function testCopyForOriginUrlsAndExistingLocalFileDefaultsToCopy()
{
if (!\in_array('https', stream_get_wrappers())) {
$this->markTestSkipped('"https" stream wrapper is not enabled.');
}
$sourceFilePath = 'https://symfony.com/images/common/logo/logo_symfony_header.png';
$targetFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_target_file';
file_put_contents($targetFilePath, 'TARGET FILE');
$this->filesystem->copy($sourceFilePath, $targetFilePath, false);
$this->assertFileExists($targetFilePath);
$this->assertEquals(file_get_contents($sourceFilePath), file_get_contents($targetFilePath));
}
public function testMkdirCreatesDirectoriesRecursively()
{
$directory = $this->workspace
.\DIRECTORY_SEPARATOR.'directory'
.\DIRECTORY_SEPARATOR.'sub_directory';
$this->filesystem->mkdir($directory);
$this->assertDirectoryExists($directory);
}
public function testMkdirCreatesDirectoriesFromArray()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR;
$directories = [
$basePath.'1', $basePath.'2', $basePath.'3',
];
$this->filesystem->mkdir($directories);
$this->assertDirectoryExists($basePath.'1');
$this->assertDirectoryExists($basePath.'2');
$this->assertDirectoryExists($basePath.'3');
}
public function testMkdirCreatesDirectoriesFromTraversableObject()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR;
$directories = new \ArrayObject([
$basePath.'1', $basePath.'2', $basePath.'3',
]);
$this->filesystem->mkdir($directories);
$this->assertDirectoryExists($basePath.'1');
$this->assertDirectoryExists($basePath.'2');
$this->assertDirectoryExists($basePath.'3');
}
public function testMkdirCreatesDirectoriesFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$basePath = $this->workspace.\DIRECTORY_SEPARATOR;
$dir = $basePath.'2';
file_put_contents($dir, '');
$this->filesystem->mkdir($dir);
}
public function testTouchCreatesEmptyFile()
{
$file = $this->workspace.\DIRECTORY_SEPARATOR.'1';
$this->filesystem->touch($file);
$this->assertFileExists($file);
}
public function testTouchFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$file = $this->workspace.\DIRECTORY_SEPARATOR.'1'.\DIRECTORY_SEPARATOR.'2';
$this->filesystem->touch($file);
}
public function testTouchCreatesEmptyFilesFromArray()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR;
$files = [
$basePath.'1', $basePath.'2', $basePath.'3',
];
$this->filesystem->touch($files);
$this->assertFileExists($basePath.'1');
$this->assertFileExists($basePath.'2');
$this->assertFileExists($basePath.'3');
}
public function testTouchCreatesEmptyFilesFromTraversableObject()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR;
$files = new \ArrayObject([
$basePath.'1', $basePath.'2', $basePath.'3',
]);
$this->filesystem->touch($files);
$this->assertFileExists($basePath.'1');
$this->assertFileExists($basePath.'2');
$this->assertFileExists($basePath.'3');
}
public function testRemoveCleansFilesAndDirectoriesIteratively()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR.'directory'.\DIRECTORY_SEPARATOR;
mkdir($basePath);
mkdir($basePath.'dir');
touch($basePath.'file');
$this->filesystem->remove($basePath);
$this->assertFileNotExists($basePath);
}
public function testRemoveCleansArrayOfFilesAndDirectories()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR;
mkdir($basePath.'dir');
touch($basePath.'file');
$files = [
$basePath.'dir', $basePath.'file',
];
$this->filesystem->remove($files);
$this->assertFileNotExists($basePath.'dir');
$this->assertFileNotExists($basePath.'file');
}
public function testRemoveCleansTraversableObjectOfFilesAndDirectories()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR;
mkdir($basePath.'dir');
touch($basePath.'file');
$files = new \ArrayObject([
$basePath.'dir', $basePath.'file',
]);
$this->filesystem->remove($files);
$this->assertFileNotExists($basePath.'dir');
$this->assertFileNotExists($basePath.'file');
}
public function testRemoveIgnoresNonExistingFiles()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR;
mkdir($basePath.'dir');
$files = [
$basePath.'dir', $basePath.'file',
];
$this->filesystem->remove($files);
$this->assertFileNotExists($basePath.'dir');
}
public function testRemoveCleansInvalidLinks()
{
$this->markAsSkippedIfSymlinkIsMissing();
$basePath = $this->workspace.\DIRECTORY_SEPARATOR.'directory'.\DIRECTORY_SEPARATOR;
mkdir($basePath);
mkdir($basePath.'dir');
// create symlink to nonexistent file
@symlink($basePath.'file', $basePath.'file-link');
// create symlink to dir using trailing forward slash
$this->filesystem->symlink($basePath.'dir/', $basePath.'dir-link');
$this->assertDirectoryExists($basePath.'dir-link');
// create symlink to nonexistent dir
rmdir($basePath.'dir');
$this->assertFalse('\\' === \DIRECTORY_SEPARATOR ? @readlink($basePath.'dir-link') : is_dir($basePath.'dir-link'));
$this->filesystem->remove($basePath);
$this->assertFileNotExists($basePath);
}
public function testFilesExists()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR.'directory'.\DIRECTORY_SEPARATOR;
mkdir($basePath);
touch($basePath.'file1');
mkdir($basePath.'folder');
$this->assertTrue($this->filesystem->exists($basePath.'file1'));
$this->assertTrue($this->filesystem->exists($basePath.'folder'));
}
public function testFilesExistsFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
if ('\\' !== \DIRECTORY_SEPARATOR) {
$this->markTestSkipped('Long file names are an issue on Windows');
}
$basePath = $this->workspace.'\\directory\\';
$maxPathLength = PHP_MAXPATHLEN - 2;
$oldPath = getcwd();
mkdir($basePath);
chdir($basePath);
$file = str_repeat('T', $maxPathLength - \strlen($basePath) + 1);
$path = $basePath.$file;
exec('TYPE NUL >>'.$file); // equivalent of touch, we can not use the php touch() here because it suffers from the same limitation
$this->longPathNamesWindows[] = $path; // save this so we can clean up later
chdir($oldPath);
$this->filesystem->exists($path);
}
public function testFilesExistsTraversableObjectOfFilesAndDirectories()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR;
mkdir($basePath.'dir');
touch($basePath.'file');
$files = new \ArrayObject([
$basePath.'dir', $basePath.'file',
]);
$this->assertTrue($this->filesystem->exists($files));
}
public function testFilesNotExistsTraversableObjectOfFilesAndDirectories()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR;
mkdir($basePath.'dir');
touch($basePath.'file');
touch($basePath.'file2');
$files = new \ArrayObject([
$basePath.'dir', $basePath.'file', $basePath.'file2',
]);
unlink($basePath.'file');
$this->assertFalse($this->filesystem->exists($files));
}
public function testInvalidFileNotExists()
{
$basePath = $this->workspace.\DIRECTORY_SEPARATOR.'directory'.\DIRECTORY_SEPARATOR;
$this->assertFalse($this->filesystem->exists($basePath.time()));
}
public function testChmodChangesFileMode()
{
$this->markAsSkippedIfChmodIsMissing();
$dir = $this->workspace.\DIRECTORY_SEPARATOR.'dir';
mkdir($dir);
$file = $dir.\DIRECTORY_SEPARATOR.'file';
touch($file);
$this->filesystem->chmod($file, 0400);
$this->filesystem->chmod($dir, 0753);
$this->assertFilePermissions(753, $dir);
$this->assertFilePermissions(400, $file);
}
public function testChmodWithWrongModLeavesPreviousPermissionsUntouched()
{
$this->markAsSkippedIfChmodIsMissing();
if (\defined('HHVM_VERSION')) {
$this->markTestSkipped('chmod() changes permissions even when passing invalid modes on HHVM');
}
$dir = $this->workspace.\DIRECTORY_SEPARATOR.'file';
touch($dir);
$permissions = fileperms($dir);
$this->filesystem->chmod($dir, 'Wrongmode');
$this->assertSame($permissions, fileperms($dir));
}
public function testChmodRecursive()
{
$this->markAsSkippedIfChmodIsMissing();
$dir = $this->workspace.\DIRECTORY_SEPARATOR.'dir';
mkdir($dir);
$file = $dir.\DIRECTORY_SEPARATOR.'file';
touch($file);
$this->filesystem->chmod($file, 0400, 0000, true);
$this->filesystem->chmod($dir, 0753, 0000, true);
$this->assertFilePermissions(753, $dir);
$this->assertFilePermissions(753, $file);
}
public function testChmodAppliesUmask()
{
$this->markAsSkippedIfChmodIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
touch($file);
$this->filesystem->chmod($file, 0770, 0022);
$this->assertFilePermissions(750, $file);
}
public function testChmodChangesModeOfArrayOfFiles()
{
$this->markAsSkippedIfChmodIsMissing();
$directory = $this->workspace.\DIRECTORY_SEPARATOR.'directory';
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$files = [$directory, $file];
mkdir($directory);
touch($file);
$this->filesystem->chmod($files, 0753);
$this->assertFilePermissions(753, $file);
$this->assertFilePermissions(753, $directory);
}
public function testChmodChangesModeOfTraversableFileObject()
{
$this->markAsSkippedIfChmodIsMissing();
$directory = $this->workspace.\DIRECTORY_SEPARATOR.'directory';
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$files = new \ArrayObject([$directory, $file]);
mkdir($directory);
touch($file);
$this->filesystem->chmod($files, 0753);
$this->assertFilePermissions(753, $file);
$this->assertFilePermissions(753, $directory);
}
public function testChmodChangesZeroModeOnSubdirectoriesOnRecursive()
{
$this->markAsSkippedIfChmodIsMissing();
$directory = $this->workspace.\DIRECTORY_SEPARATOR.'directory';
$subdirectory = $directory.\DIRECTORY_SEPARATOR.'subdirectory';
mkdir($directory);
mkdir($subdirectory);
chmod($subdirectory, 0000);
$this->filesystem->chmod($directory, 0753, 0000, true);
$this->assertFilePermissions(753, $subdirectory);
}
public function testChown()
{
$this->markAsSkippedIfPosixIsMissing();
$dir = $this->workspace.\DIRECTORY_SEPARATOR.'dir';
mkdir($dir);
$owner = $this->getFileOwner($dir);
$this->filesystem->chown($dir, $owner);
$this->assertSame($owner, $this->getFileOwner($dir));
}
public function testChownRecursive()
{
$this->markAsSkippedIfPosixIsMissing();
$dir = $this->workspace.\DIRECTORY_SEPARATOR.'dir';
mkdir($dir);
$file = $dir.\DIRECTORY_SEPARATOR.'file';
touch($file);
$owner = $this->getFileOwner($dir);
$this->filesystem->chown($dir, $owner, true);
$this->assertSame($owner, $this->getFileOwner($file));
}
public function testChownSymlink()
{
$this->markAsSkippedIfSymlinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
$this->filesystem->symlink($file, $link);
$owner = $this->getFileOwner($link);
$this->filesystem->chown($link, $owner);
$this->assertSame($owner, $this->getFileOwner($link));
}
public function testChownLink()
{
$this->markAsSkippedIfLinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
$this->filesystem->hardlink($file, $link);
$owner = $this->getFileOwner($link);
$this->filesystem->chown($link, $owner);
$this->assertSame($owner, $this->getFileOwner($link));
}
public function testChownSymlinkFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$this->markAsSkippedIfSymlinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
$this->filesystem->symlink($file, $link);
$this->filesystem->chown($link, 'user'.time().mt_rand(1000, 9999));
}
public function testChownLinkFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$this->markAsSkippedIfLinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
$this->filesystem->hardlink($file, $link);
$this->filesystem->chown($link, 'user'.time().mt_rand(1000, 9999));
}
public function testChownFail()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$this->markAsSkippedIfPosixIsMissing();
$dir = $this->workspace.\DIRECTORY_SEPARATOR.'dir';
mkdir($dir);
$this->filesystem->chown($dir, 'user'.time().mt_rand(1000, 9999));
}
public function testChgrp()
{
$this->markAsSkippedIfPosixIsMissing();
$dir = $this->workspace.\DIRECTORY_SEPARATOR.'dir';
mkdir($dir);
$group = $this->getFileGroup($dir);
$this->filesystem->chgrp($dir, $group);
$this->assertSame($group, $this->getFileGroup($dir));
}
public function testChgrpRecursive()
{
$this->markAsSkippedIfPosixIsMissing();
$dir = $this->workspace.\DIRECTORY_SEPARATOR.'dir';
mkdir($dir);
$file = $dir.\DIRECTORY_SEPARATOR.'file';
touch($file);
$group = $this->getFileGroup($dir);
$this->filesystem->chgrp($dir, $group, true);
$this->assertSame($group, $this->getFileGroup($file));
}
public function testChgrpSymlink()
{
$this->markAsSkippedIfSymlinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
$this->filesystem->symlink($file, $link);
$group = $this->getFileGroup($link);
$this->filesystem->chgrp($link, $group);
$this->assertSame($group, $this->getFileGroup($link));
}
public function testChgrpLink()
{
$this->markAsSkippedIfLinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
$this->filesystem->hardlink($file, $link);
$group = $this->getFileGroup($link);
$this->filesystem->chgrp($link, $group);
$this->assertSame($group, $this->getFileGroup($link));
}
public function testChgrpSymlinkFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$this->markAsSkippedIfSymlinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
$this->filesystem->symlink($file, $link);
$this->filesystem->chgrp($link, 'user'.time().mt_rand(1000, 9999));
}
public function testChgrpLinkFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$this->markAsSkippedIfLinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
$this->filesystem->hardlink($file, $link);
$this->filesystem->chgrp($link, 'user'.time().mt_rand(1000, 9999));
}
public function testChgrpFail()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$this->markAsSkippedIfPosixIsMissing();
$dir = $this->workspace.\DIRECTORY_SEPARATOR.'dir';
mkdir($dir);
$this->filesystem->chgrp($dir, 'user'.time().mt_rand(1000, 9999));
}
public function testRename()
{
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$newPath = $this->workspace.\DIRECTORY_SEPARATOR.'new_file';
touch($file);
$this->filesystem->rename($file, $newPath);
$this->assertFileNotExists($file);
$this->assertFileExists($newPath);
}
public function testRenameThrowsExceptionIfTargetAlreadyExists()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$newPath = $this->workspace.\DIRECTORY_SEPARATOR.'new_file';
touch($file);
touch($newPath);
$this->filesystem->rename($file, $newPath);
}
public function testRenameOverwritesTheTargetIfItAlreadyExists()
{
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$newPath = $this->workspace.\DIRECTORY_SEPARATOR.'new_file';
touch($file);
touch($newPath);
$this->filesystem->rename($file, $newPath, true);
$this->assertFileNotExists($file);
$this->assertFileExists($newPath);
}
public function testRenameThrowsExceptionOnError()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$file = $this->workspace.\DIRECTORY_SEPARATOR.uniqid('fs_test_', true);
$newPath = $this->workspace.\DIRECTORY_SEPARATOR.'new_file';
$this->filesystem->rename($file, $newPath);
}
public function testSymlink()
{
if ('\\' === \DIRECTORY_SEPARATOR) {
$this->markTestSkipped('Windows does not support creating "broken" symlinks');
}
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
// $file does not exist right now: creating "broken" links is a wanted feature
$this->filesystem->symlink($file, $link);
$this->assertTrue(is_link($link));
// Create the linked file AFTER creating the link
touch($file);
$this->assertEquals($file, readlink($link));
}
/**
* @depends testSymlink
*/
public function testRemoveSymlink()
{
$this->markAsSkippedIfSymlinkIsMissing();
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
$this->filesystem->remove($link);
$this->assertFalse(is_link($link));
$this->assertFalse(is_file($link));
$this->assertDirectoryNotExists($link);
}
public function testSymlinkIsOverwrittenIfPointsToDifferentTarget()
{
$this->markAsSkippedIfSymlinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
symlink($this->workspace, $link);
$this->filesystem->symlink($file, $link);
$this->assertTrue(is_link($link));
$this->assertEquals($file, readlink($link));
}
public function testSymlinkIsNotOverwrittenIfAlreadyCreated()
{
$this->markAsSkippedIfSymlinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
symlink($file, $link);
$this->filesystem->symlink($file, $link);
$this->assertTrue(is_link($link));
$this->assertEquals($file, readlink($link));
}
public function testSymlinkCreatesTargetDirectoryIfItDoesNotExist()
{
$this->markAsSkippedIfSymlinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link1 = $this->workspace.\DIRECTORY_SEPARATOR.'dir'.\DIRECTORY_SEPARATOR.'link';
$link2 = $this->workspace.\DIRECTORY_SEPARATOR.'dir'.\DIRECTORY_SEPARATOR.'subdir'.\DIRECTORY_SEPARATOR.'link';
touch($file);
$this->filesystem->symlink($file, $link1);
$this->filesystem->symlink($file, $link2);
$this->assertTrue(is_link($link1));
$this->assertEquals($file, readlink($link1));
$this->assertTrue(is_link($link2));
$this->assertEquals($file, readlink($link2));
}
public function testLink()
{
$this->markAsSkippedIfLinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
$this->filesystem->hardlink($file, $link);
$this->assertTrue(is_file($link));
$this->assertEquals(fileinode($file), fileinode($link));
}
/**
* @depends testLink
*/
public function testRemoveLink()
{
$this->markAsSkippedIfLinkIsMissing();
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
$this->filesystem->remove($link);
$this->assertTrue(!is_file($link));
}
public function testLinkIsOverwrittenIfPointsToDifferentTarget()
{
$this->markAsSkippedIfLinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$file2 = $this->workspace.\DIRECTORY_SEPARATOR.'file2';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
touch($file2);
link($file2, $link);
$this->filesystem->hardlink($file, $link);
$this->assertTrue(is_file($link));
$this->assertEquals(fileinode($file), fileinode($link));
}
public function testLinkIsNotOverwrittenIfAlreadyCreated()
{
$this->markAsSkippedIfLinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
link($file, $link);
$this->filesystem->hardlink($file, $link);
$this->assertTrue(is_file($link));
$this->assertEquals(fileinode($file), fileinode($link));
}
public function testLinkWithSeveralTargets()
{
$this->markAsSkippedIfLinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link1 = $this->workspace.\DIRECTORY_SEPARATOR.'link';
$link2 = $this->workspace.\DIRECTORY_SEPARATOR.'link2';
touch($file);
$this->filesystem->hardlink($file, [$link1, $link2]);
$this->assertTrue(is_file($link1));
$this->assertEquals(fileinode($file), fileinode($link1));
$this->assertTrue(is_file($link2));
$this->assertEquals(fileinode($file), fileinode($link2));
}
public function testLinkWithSameTarget()
{
$this->markAsSkippedIfLinkIsMissing();
$file = $this->workspace.\DIRECTORY_SEPARATOR.'file';
$link = $this->workspace.\DIRECTORY_SEPARATOR.'link';
touch($file);
// practically same as testLinkIsNotOverwrittenIfAlreadyCreated
$this->filesystem->hardlink($file, [$link, $link]);
$this->assertTrue(is_file($link));
$this->assertEquals(fileinode($file), fileinode($link));
}
public function testReadRelativeLink()
{
$this->markAsSkippedIfSymlinkIsMissing();
if ('\\' === \DIRECTORY_SEPARATOR) {
$this->markTestSkipped('Relative symbolic links are not supported on Windows');
}
$file = $this->workspace.'/file';
$link1 = $this->workspace.'/dir/link';
$link2 = $this->workspace.'/dir/link2';
touch($file);
$this->filesystem->symlink('../file', $link1);
$this->filesystem->symlink('link', $link2);
$this->assertEquals($this->normalize('../file'), $this->filesystem->readlink($link1));
$this->assertEquals('link', $this->filesystem->readlink($link2));
$this->assertEquals($file, $this->filesystem->readlink($link1, true));
$this->assertEquals($file, $this->filesystem->readlink($link2, true));
$this->assertEquals($file, $this->filesystem->readlink($file, true));
}
public function testReadAbsoluteLink()
{
$this->markAsSkippedIfSymlinkIsMissing();
$file = $this->normalize($this->workspace.'/file');
$link1 = $this->normalize($this->workspace.'/dir/link');
$link2 = $this->normalize($this->workspace.'/dir/link2');
touch($file);
$this->filesystem->symlink($file, $link1);
$this->filesystem->symlink($link1, $link2);
$this->assertEquals($file, $this->filesystem->readlink($link1));
$this->assertEquals($link1, $this->filesystem->readlink($link2));
$this->assertEquals($file, $this->filesystem->readlink($link1, true));
$this->assertEquals($file, $this->filesystem->readlink($link2, true));
$this->assertEquals($file, $this->filesystem->readlink($file, true));
}
public function testReadBrokenLink()
{
$this->markAsSkippedIfSymlinkIsMissing();
if ('\\' === \DIRECTORY_SEPARATOR) {
$this->markTestSkipped('Windows does not support creating "broken" symlinks');
}
$file = $this->workspace.'/file';
$link = $this->workspace.'/link';
$this->filesystem->symlink($file, $link);
$this->assertEquals($file, $this->filesystem->readlink($link));
$this->assertNull($this->filesystem->readlink($link, true));
touch($file);
$this->assertEquals($file, $this->filesystem->readlink($link, true));
}
public function testReadLinkDefaultPathDoesNotExist()
{
$this->assertNull($this->filesystem->readlink($this->normalize($this->workspace.'/invalid')));
}
public function testReadLinkDefaultPathNotLink()
{
$file = $this->normalize($this->workspace.'/file');
touch($file);
$this->assertNull($this->filesystem->readlink($file));
}
public function testReadLinkCanonicalizePath()
{
$this->markAsSkippedIfSymlinkIsMissing();
$file = $this->normalize($this->workspace.'/file');
mkdir($this->normalize($this->workspace.'/dir'));
touch($file);
$this->assertEquals($file, $this->filesystem->readlink($this->normalize($this->workspace.'/dir/../file'), true));
}
public function testReadLinkCanonicalizedPathDoesNotExist()
{
$this->assertNull($this->filesystem->readlink($this->normalize($this->workspace.'invalid'), true));
}
/**
* @dataProvider providePathsForMakePathRelative
*/
public function testMakePathRelative($endPath, $startPath, $expectedPath)
{
$path = $this->filesystem->makePathRelative($endPath, $startPath);
$this->assertEquals($expectedPath, $path);
}
public function providePathsForMakePathRelative()
{
$paths = [
['/var/lib/symfony/src/Symfony/', '/var/lib/symfony/src/Symfony/Component', '../'],
['/var/lib/symfony/src/Symfony/', '/var/lib/symfony/src/Symfony/Component/', '../'],
['/var/lib/symfony/src/Symfony', '/var/lib/symfony/src/Symfony/Component', '../'],
['/var/lib/symfony/src/Symfony', '/var/lib/symfony/src/Symfony/Component/', '../'],
['/usr/lib/symfony/', '/var/lib/symfony/src/Symfony/Component', '../../../../../../usr/lib/symfony/'],
['/var/lib/symfony/src/Symfony/', '/var/lib/symfony/', 'src/Symfony/'],
['/aa/bb', '/aa/bb', './'],
['/aa/bb', '/aa/bb/', './'],
['/aa/bb/', '/aa/bb', './'],
['/aa/bb/', '/aa/bb/', './'],
['/aa/bb/cc', '/aa/bb/cc/dd', '../'],
['/aa/bb/cc', '/aa/bb/cc/dd/', '../'],
['/aa/bb/cc/', '/aa/bb/cc/dd', '../'],
['/aa/bb/cc/', '/aa/bb/cc/dd/', '../'],
['/aa/bb/cc', '/aa', 'bb/cc/'],
['/aa/bb/cc', '/aa/', 'bb/cc/'],
['/aa/bb/cc/', '/aa', 'bb/cc/'],
['/aa/bb/cc/', '/aa/', 'bb/cc/'],
['/a/aab/bb', '/a/aa', '../aab/bb/'],
['/a/aab/bb', '/a/aa/', '../aab/bb/'],
['/a/aab/bb/', '/a/aa', '../aab/bb/'],
['/a/aab/bb/', '/a/aa/', '../aab/bb/'],
['/a/aab/bb/', '/', 'a/aab/bb/'],
['/a/aab/bb/', '/b/aab', '../../a/aab/bb/'],
['/aab/bb', '/aa', '../aab/bb/'],
['/aab', '/aa', '../aab/'],
['/aa/bb/cc', '/aa/dd/..', 'bb/cc/'],
['/aa/../bb/cc', '/aa/dd/..', '../bb/cc/'],
['/aa/bb/../../cc', '/aa/../dd/..', 'cc/'],
['/../aa/bb/cc', '/aa/dd/..', 'bb/cc/'],
['/../../aa/../bb/cc', '/aa/dd/..', '../bb/cc/'],
['C:/aa/bb/cc', 'C:/aa/dd/..', 'bb/cc/'],
['c:/aa/../bb/cc', 'c:/aa/dd/..', '../bb/cc/'],
['C:/aa/bb/../../cc', 'C:/aa/../dd/..', 'cc/'],
['C:/../aa/bb/cc', 'C:/aa/dd/..', 'bb/cc/'],
['C:/../../aa/../bb/cc', 'C:/aa/dd/..', '../bb/cc/'],
];
if ('\\' === \DIRECTORY_SEPARATOR) {
$paths[] = ['c:\var\lib/symfony/src/Symfony/', 'c:/var/lib/symfony/', 'src/Symfony/'];
}
return $paths;
}
/**
* @group legacy
* @dataProvider provideLegacyPathsForMakePathRelativeWithRelativePaths
* @expectedDeprecation Support for passing relative paths to Symfony\Component\Filesystem\Filesystem::makePathRelative() is deprecated since Symfony 3.4 and will be removed in 4.0.
*/
public function testMakePathRelativeWithRelativePaths($endPath, $startPath, $expectedPath)
{
$path = $this->filesystem->makePathRelative($endPath, $startPath);
$this->assertEquals($expectedPath, $path);
}
public function provideLegacyPathsForMakePathRelativeWithRelativePaths()
{
return [
['usr/lib/symfony/', 'var/lib/symfony/src/Symfony/Component', '../../../../../../usr/lib/symfony/'],
['aa/bb', 'aa/cc', '../bb/'],
['aa/cc', 'bb/cc', '../../aa/cc/'],
['aa/bb', 'aa/./cc', '../bb/'],
['aa/./bb', 'aa/cc', '../bb/'],
['aa/./bb', 'aa/./cc', '../bb/'],
['../../', '../../', './'],
['../aa/bb/', 'aa/bb/', '../../../aa/bb/'],
['../../../', '../../', '../'],
['', '', './'],
['', 'aa/', '../'],
['aa/', '', 'aa/'],
];
}
public function testMirrorCopiesFilesAndDirectoriesRecursively()
{
$sourcePath = $this->workspace.\DIRECTORY_SEPARATOR.'source'.\DIRECTORY_SEPARATOR;
$directory = $sourcePath.'directory'.\DIRECTORY_SEPARATOR;
$file1 = $directory.'file1';
$file2 = $sourcePath.'file2';
mkdir($sourcePath);
mkdir($directory);
file_put_contents($file1, 'FILE1');
file_put_contents($file2, 'FILE2');
$targetPath = $this->workspace.\DIRECTORY_SEPARATOR.'target'.\DIRECTORY_SEPARATOR;
$this->filesystem->mirror($sourcePath, $targetPath);
$this->assertDirectoryExists($targetPath);
$this->assertDirectoryExists($targetPath.'directory');
$this->assertFileEquals($file1, $targetPath.'directory'.\DIRECTORY_SEPARATOR.'file1');
$this->assertFileEquals($file2, $targetPath.'file2');
$this->filesystem->remove($file1);
$this->filesystem->mirror($sourcePath, $targetPath, null, ['delete' => false]);
$this->assertTrue($this->filesystem->exists($targetPath.'directory'.\DIRECTORY_SEPARATOR.'file1'));
$this->filesystem->mirror($sourcePath, $targetPath, null, ['delete' => true]);
$this->assertFalse($this->filesystem->exists($targetPath.'directory'.\DIRECTORY_SEPARATOR.'file1'));
file_put_contents($file1, 'FILE1');
$this->filesystem->mirror($sourcePath, $targetPath, null, ['delete' => true]);
$this->assertTrue($this->filesystem->exists($targetPath.'directory'.\DIRECTORY_SEPARATOR.'file1'));
$this->filesystem->remove($directory);
$this->filesystem->mirror($sourcePath, $targetPath, null, ['delete' => true]);
$this->assertFalse($this->filesystem->exists($targetPath.'directory'));
$this->assertFalse($this->filesystem->exists($targetPath.'directory'.\DIRECTORY_SEPARATOR.'file1'));
}
public function testMirrorCreatesEmptyDirectory()
{
$sourcePath = $this->workspace.\DIRECTORY_SEPARATOR.'source'.\DIRECTORY_SEPARATOR;
mkdir($sourcePath);
$targetPath = $this->workspace.\DIRECTORY_SEPARATOR.'target'.\DIRECTORY_SEPARATOR;
$this->filesystem->mirror($sourcePath, $targetPath);
$this->assertDirectoryExists($targetPath);
$this->filesystem->remove($sourcePath);
}
public function testMirrorCopiesLinks()
{
$this->markAsSkippedIfSymlinkIsMissing();
$sourcePath = $this->workspace.\DIRECTORY_SEPARATOR.'source'.\DIRECTORY_SEPARATOR;
mkdir($sourcePath);
file_put_contents($sourcePath.'file1', 'FILE1');
symlink($sourcePath.'file1', $sourcePath.'link1');
$targetPath = $this->workspace.\DIRECTORY_SEPARATOR.'target'.\DIRECTORY_SEPARATOR;
$this->filesystem->mirror($sourcePath, $targetPath);
$this->assertDirectoryExists($targetPath);
$this->assertFileEquals($sourcePath.'file1', $targetPath.'link1');
$this->assertTrue(is_link($targetPath.\DIRECTORY_SEPARATOR.'link1'));
}
public function testMirrorCopiesLinkedDirectoryContents()
{
$this->markAsSkippedIfSymlinkIsMissing(true);
$sourcePath = $this->workspace.\DIRECTORY_SEPARATOR.'source'.\DIRECTORY_SEPARATOR;
mkdir($sourcePath.'nested/', 0777, true);
file_put_contents($sourcePath.'/nested/file1.txt', 'FILE1');
// Note: We symlink directory, not file
symlink($sourcePath.'nested', $sourcePath.'link1');
$targetPath = $this->workspace.\DIRECTORY_SEPARATOR.'target'.\DIRECTORY_SEPARATOR;
$this->filesystem->mirror($sourcePath, $targetPath);
$this->assertDirectoryExists($targetPath);
$this->assertFileEquals($sourcePath.'/nested/file1.txt', $targetPath.'link1/file1.txt');
$this->assertTrue(is_link($targetPath.\DIRECTORY_SEPARATOR.'link1'));
}
public function testMirrorCopiesRelativeLinkedContents()
{
$this->markAsSkippedIfSymlinkIsMissing(true);
$sourcePath = $this->workspace.\DIRECTORY_SEPARATOR.'source'.\DIRECTORY_SEPARATOR;
$oldPath = getcwd();
mkdir($sourcePath.'nested/', 0777, true);
file_put_contents($sourcePath.'/nested/file1.txt', 'FILE1');
// Note: Create relative symlink
chdir($sourcePath);
symlink('nested', 'link1');
chdir($oldPath);
$targetPath = $this->workspace.\DIRECTORY_SEPARATOR.'target'.\DIRECTORY_SEPARATOR;
$this->filesystem->mirror($sourcePath, $targetPath);
$this->assertDirectoryExists($targetPath);
$this->assertFileEquals($sourcePath.'/nested/file1.txt', $targetPath.'link1/file1.txt');
$this->assertTrue(is_link($targetPath.\DIRECTORY_SEPARATOR.'link1'));
$this->assertEquals('\\' === \DIRECTORY_SEPARATOR ? realpath($sourcePath.'\nested') : 'nested', readlink($targetPath.\DIRECTORY_SEPARATOR.'link1'));
}
public function testMirrorContentsWithSameNameAsSourceOrTargetWithoutDeleteOption()
{
$sourcePath = $this->workspace.\DIRECTORY_SEPARATOR.'source'.\DIRECTORY_SEPARATOR;
mkdir($sourcePath);
touch($sourcePath.'source');
touch($sourcePath.'target');
$targetPath = $this->workspace.\DIRECTORY_SEPARATOR.'target'.\DIRECTORY_SEPARATOR;
$oldPath = getcwd();
chdir($this->workspace);
$this->filesystem->mirror('source', $targetPath);
chdir($oldPath);
$this->assertDirectoryExists($targetPath);
$this->assertFileExists($targetPath.'source');
$this->assertFileExists($targetPath.'target');
}
public function testMirrorContentsWithSameNameAsSourceOrTargetWithDeleteOption()
{
$sourcePath = $this->workspace.\DIRECTORY_SEPARATOR.'source'.\DIRECTORY_SEPARATOR;
mkdir($sourcePath);
touch($sourcePath.'source');
$targetPath = $this->workspace.\DIRECTORY_SEPARATOR.'target'.\DIRECTORY_SEPARATOR;
mkdir($targetPath);
touch($targetPath.'source');
touch($targetPath.'target');
$oldPath = getcwd();
chdir($this->workspace);
$this->filesystem->mirror('source', 'target', null, ['delete' => true]);
chdir($oldPath);
$this->assertDirectoryExists($targetPath);
$this->assertFileExists($targetPath.'source');
$this->assertFileNotExists($targetPath.'target');
}
public function testMirrorFromSubdirectoryInToParentDirectory()
{
$targetPath = $this->workspace.\DIRECTORY_SEPARATOR.'foo'.\DIRECTORY_SEPARATOR;
$sourcePath = $targetPath.'bar'.\DIRECTORY_SEPARATOR;
$file1 = $sourcePath.'file1';
$file2 = $sourcePath.'file2';
$this->filesystem->mkdir($sourcePath);
file_put_contents($file1, 'FILE1');
file_put_contents($file2, 'FILE2');
$this->filesystem->mirror($sourcePath, $targetPath);
$this->assertFileEquals($file1, $targetPath.'file1');
}
/**
* @dataProvider providePathsForIsAbsolutePath
*/
public function testIsAbsolutePath($path, $expectedResult)
{
$result = $this->filesystem->isAbsolutePath($path);
$this->assertEquals($expectedResult, $result);
}
public function providePathsForIsAbsolutePath()
{
return [
['/var/lib', true],
['c:\\\\var\\lib', true],
['\\var\\lib', true],
['var/lib', false],
['../var/lib', false],
['', false],
[null, false],
];
}
public function testTempnam()
{
$dirname = $this->workspace;
$filename = $this->filesystem->tempnam($dirname, 'foo');
$this->assertFileExists($filename);
}
public function testTempnamWithFileScheme()
{
$scheme = 'file://';
$dirname = $scheme.$this->workspace;
$filename = $this->filesystem->tempnam($dirname, 'foo');
$this->assertStringStartsWith($scheme, $filename);
$this->assertFileExists($filename);
}
public function testTempnamWithMockScheme()
{
stream_wrapper_register('mock', 'Symfony\Component\Filesystem\Tests\Fixtures\MockStream\MockStream');
$scheme = 'mock://';
$dirname = $scheme.$this->workspace;
$filename = $this->filesystem->tempnam($dirname, 'foo');
$this->assertStringStartsWith($scheme, $filename);
$this->assertFileExists($filename);
}
public function testTempnamWithZlibSchemeFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$scheme = 'compress.zlib://';
$dirname = $scheme.$this->workspace;
// The compress.zlib:// stream does not support mode x: creates the file, errors "failed to open stream: operation failed" and returns false
$this->filesystem->tempnam($dirname, 'bar');
}
public function testTempnamWithPHPTempSchemeFails()
{
$scheme = 'php://temp';
$dirname = $scheme;
$filename = $this->filesystem->tempnam($dirname, 'bar');
$this->assertStringStartsWith($scheme, $filename);
// The php://temp stream deletes the file after close
$this->assertFileNotExists($filename);
}
public function testTempnamWithPharSchemeFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
// Skip test if Phar disabled phar.readonly must be 0 in php.ini
if (!\Phar::canWrite()) {
$this->markTestSkipped('This test cannot run when phar.readonly is 1.');
}
$scheme = 'phar://';
$dirname = $scheme.$this->workspace;
$pharname = 'foo.phar';
new \Phar($this->workspace.'/'.$pharname, 0, $pharname);
// The phar:// stream does not support mode x: fails to create file, errors "failed to open stream: phar error: "$filename" is not a file in phar "$pharname"" and returns false
$this->filesystem->tempnam($dirname, $pharname.'/bar');
}
public function testTempnamWithHTTPSchemeFails()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$scheme = 'http://';
$dirname = $scheme.$this->workspace;
// The http:// scheme is read-only
$this->filesystem->tempnam($dirname, 'bar');
}
public function testTempnamOnUnwritableFallsBackToSysTmp()
{
$scheme = 'file://';
$dirname = $scheme.$this->workspace.\DIRECTORY_SEPARATOR.'does_not_exist';
$filename = $this->filesystem->tempnam($dirname, 'bar');
$realTempDir = realpath(sys_get_temp_dir());
$this->assertStringStartsWith(rtrim($scheme.$realTempDir, \DIRECTORY_SEPARATOR), $filename);
$this->assertFileExists($filename);
// Tear down
@unlink($filename);
}
public function testDumpFile()
{
$filename = $this->workspace.\DIRECTORY_SEPARATOR.'foo'.\DIRECTORY_SEPARATOR.'baz.txt';
// skip mode check on Windows
if ('\\' !== \DIRECTORY_SEPARATOR) {
$oldMask = umask(0002);
}
$this->filesystem->dumpFile($filename, 'bar');
$this->assertFileExists($filename);
$this->assertStringEqualsFile($filename, 'bar');
// skip mode check on Windows
if ('\\' !== \DIRECTORY_SEPARATOR) {
$this->assertFilePermissions(664, $filename);
umask($oldMask);
}
}
public function testDumpFileWithArray()
{
$filename = $this->workspace.\DIRECTORY_SEPARATOR.'foo'.\DIRECTORY_SEPARATOR.'baz.txt';
$this->filesystem->dumpFile($filename, ['bar']);
$this->assertFileExists($filename);
$this->assertStringEqualsFile($filename, 'bar');
}
public function testDumpFileWithResource()
{
$filename = $this->workspace.\DIRECTORY_SEPARATOR.'foo'.\DIRECTORY_SEPARATOR.'baz.txt';
$resource = fopen('php://memory', 'rw');
fwrite($resource, 'bar');
fseek($resource, 0);
$this->filesystem->dumpFile($filename, $resource);
fclose($resource);
$this->assertFileExists($filename);
$this->assertStringEqualsFile($filename, 'bar');
}
public function testDumpFileOverwritesAnExistingFile()
{
$filename = $this->workspace.\DIRECTORY_SEPARATOR.'foo.txt';
file_put_contents($filename, 'FOO BAR');
$this->filesystem->dumpFile($filename, 'bar');
$this->assertFileExists($filename);
$this->assertStringEqualsFile($filename, 'bar');
}
public function testDumpFileWithFileScheme()
{
if (\defined('HHVM_VERSION')) {
$this->markTestSkipped('HHVM does not handle the file:// scheme correctly');
}
$scheme = 'file://';
$filename = $scheme.$this->workspace.\DIRECTORY_SEPARATOR.'foo'.\DIRECTORY_SEPARATOR.'baz.txt';
$this->filesystem->dumpFile($filename, 'bar');
$this->assertFileExists($filename);
$this->assertStringEqualsFile($filename, 'bar');
}
public function testDumpFileWithZlibScheme()
{
$scheme = 'compress.zlib://';
$filename = $this->workspace.\DIRECTORY_SEPARATOR.'foo'.\DIRECTORY_SEPARATOR.'baz.txt';
$this->filesystem->dumpFile($filename, 'bar');
// Zlib stat uses file:// wrapper so remove scheme
$this->assertFileExists(str_replace($scheme, '', $filename));
$this->assertStringEqualsFile($filename, 'bar');
}
public function testAppendToFile()
{
$filename = $this->workspace.\DIRECTORY_SEPARATOR.'foo'.\DIRECTORY_SEPARATOR.'bar.txt';
// skip mode check on Windows
if ('\\' !== \DIRECTORY_SEPARATOR) {
$oldMask = umask(0002);
}
$this->filesystem->dumpFile($filename, 'foo');
$this->filesystem->appendToFile($filename, 'bar');
$this->assertFileExists($filename);
$this->assertStringEqualsFile($filename, 'foobar');
// skip mode check on Windows
if ('\\' !== \DIRECTORY_SEPARATOR) {
$this->assertFilePermissions(664, $filename);
umask($oldMask);
}
}
public function testAppendToFileWithScheme()
{
if (\defined('HHVM_VERSION')) {
$this->markTestSkipped('HHVM does not handle the file:// scheme correctly');
}
$scheme = 'file://';
$filename = $scheme.$this->workspace.\DIRECTORY_SEPARATOR.'foo'.\DIRECTORY_SEPARATOR.'baz.txt';
$this->filesystem->dumpFile($filename, 'foo');
$this->filesystem->appendToFile($filename, 'bar');
$this->assertFileExists($filename);
$this->assertStringEqualsFile($filename, 'foobar');
}
public function testAppendToFileWithZlibScheme()
{
$scheme = 'compress.zlib://';
$filename = $this->workspace.\DIRECTORY_SEPARATOR.'foo'.\DIRECTORY_SEPARATOR.'baz.txt';
$this->filesystem->dumpFile($filename, 'foo');
// Zlib stat uses file:// wrapper so remove it
$this->assertStringEqualsFile(str_replace($scheme, '', $filename), 'foo');
$this->filesystem->appendToFile($filename, 'bar');
$this->assertFileExists($filename);
$this->assertStringEqualsFile($filename, 'foobar');
}
public function testAppendToFileCreateTheFileIfNotExists()
{
$filename = $this->workspace.\DIRECTORY_SEPARATOR.'foo'.\DIRECTORY_SEPARATOR.'bar.txt';
// skip mode check on Windows
if ('\\' !== \DIRECTORY_SEPARATOR) {
$oldMask = umask(0002);
}
$this->filesystem->appendToFile($filename, 'bar');
// skip mode check on Windows
if ('\\' !== \DIRECTORY_SEPARATOR) {
$this->assertFilePermissions(664, $filename);
umask($oldMask);
}
$this->assertFileExists($filename);
$this->assertStringEqualsFile($filename, 'bar');
}
public function testDumpKeepsExistingPermissionsWhenOverwritingAnExistingFile()
{
$this->markAsSkippedIfChmodIsMissing();
$filename = $this->workspace.\DIRECTORY_SEPARATOR.'foo.txt';
file_put_contents($filename, 'FOO BAR');
chmod($filename, 0745);
$this->filesystem->dumpFile($filename, 'bar', null);
$this->assertFilePermissions(745, $filename);
}
public function testCopyShouldKeepExecutionPermission()
{
$this->markAsSkippedIfChmodIsMissing();
$sourceFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_source_file';
$targetFilePath = $this->workspace.\DIRECTORY_SEPARATOR.'copy_target_file';
file_put_contents($sourceFilePath, 'SOURCE FILE');
chmod($sourceFilePath, 0745);
$this->filesystem->copy($sourceFilePath, $targetFilePath);
$this->assertFilePermissions(767, $targetFilePath);
}
/**
* Normalize the given path (transform each blackslash into a real directory separator).
*
* @param string $path
*
* @return string
*/
private function normalize($path)
{
return str_replace('/', \DIRECTORY_SEPARATOR, $path);
}
}
filesystem/Tests/LockHandlerTest.php 0000644 00000010365 14716422132 0013600 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Filesystem\Exception\IOException;
use Symfony\Component\Filesystem\Filesystem;
use Symfony\Component\Filesystem\LockHandler;
/**
* @group legacy
*/
class LockHandlerTest extends TestCase
{
public function testConstructWhenRepositoryDoesNotExist()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$this->expectExceptionMessage('Failed to create "/a/b/c/d/e": mkdir(): Permission denied');
if (!getenv('USER') || 'root' === getenv('USER')) {
$this->markTestSkipped('This test will fail if run under superuser');
}
new LockHandler('lock', '/a/b/c/d/e');
}
public function testConstructWhenRepositoryIsNotWriteable()
{
$this->expectException('Symfony\Component\Filesystem\Exception\IOException');
$this->expectExceptionMessage('The directory "/" is not writable.');
if (!getenv('USER') || 'root' === getenv('USER')) {
$this->markTestSkipped('This test will fail if run under superuser');
}
new LockHandler('lock', '/');
}
public function testErrorHandlingInLockIfLockPathBecomesUnwritable()
{
// skip test on Windows; PHP can't easily set file as unreadable on Windows
if ('\\' === \DIRECTORY_SEPARATOR) {
$this->markTestSkipped('This test cannot run on Windows.');
}
if (!getenv('USER') || 'root' === getenv('USER')) {
$this->markTestSkipped('This test will fail if run under superuser');
}
$lockPath = sys_get_temp_dir().'/'.uniqid('', true);
$e = null;
$wrongMessage = null;
try {
mkdir($lockPath);
$lockHandler = new LockHandler('lock', $lockPath);
chmod($lockPath, 0444);
$lockHandler->lock();
} catch (IOException $e) {
if (false === strpos($e->getMessage(), 'Permission denied')) {
$wrongMessage = $e->getMessage();
} else {
$this->addToAssertionCount(1);
}
} catch (\Exception $e) {
} catch (\Throwable $e) {
}
if (is_dir($lockPath)) {
$fs = new Filesystem();
$fs->remove($lockPath);
}
$this->assertInstanceOf('Symfony\Component\Filesystem\Exception\IOException', $e, sprintf('Expected IOException to be thrown, got %s instead.', \get_class($e)));
$this->assertNull($wrongMessage, sprintf('Expected exception message to contain "Permission denied", got "%s" instead.', $wrongMessage));
}
public function testConstructSanitizeName()
{
$lock = new LockHandler('');
$file = sprintf('%s/sf.-php-echo-hello-word-.4b3d9d0d27ddef3a78a64685dda3a963e478659a9e5240feaf7b4173a8f28d5f.lock', sys_get_temp_dir());
// ensure the file does not exist before the lock
@unlink($file);
$lock->lock();
$this->assertFileExists($file);
$lock->release();
}
public function testLockRelease()
{
$name = 'symfony-test-filesystem.lock';
$l1 = new LockHandler($name);
$l2 = new LockHandler($name);
$this->assertTrue($l1->lock());
$this->assertFalse($l2->lock());
$l1->release();
$this->assertTrue($l2->lock());
$l2->release();
}
public function testLockTwice()
{
$name = 'symfony-test-filesystem.lock';
$lockHandler = new LockHandler($name);
$this->assertTrue($lockHandler->lock());
$this->assertTrue($lockHandler->lock());
$lockHandler->release();
}
public function testLockIsReleased()
{
$name = 'symfony-test-filesystem.lock';
$l1 = new LockHandler($name);
$l2 = new LockHandler($name);
$this->assertTrue($l1->lock());
$this->assertFalse($l2->lock());
$l1 = null;
$this->assertTrue($l2->lock());
$l2->release();
}
}
filesystem/Tests/error_log; 0000644 00000150137 14716422132 0012053 0 ustar 00 [16-Sep-2023 16:14:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[17-Sep-2023 16:26:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[23-Sep-2023 12:46:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[29-Sep-2023 12:53:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[29-Sep-2023 12:53:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[29-Sep-2023 12:53:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[29-Sep-2023 12:54:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[29-Sep-2023 15:55:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[29-Sep-2023 15:55:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[29-Sep-2023 15:55:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[29-Sep-2023 15:55:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[30-Sep-2023 17:52:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[30-Sep-2023 17:52:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[30-Sep-2023 17:52:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[30-Sep-2023 17:52:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[30-Sep-2023 19:26:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[30-Sep-2023 19:26:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[30-Sep-2023 19:26:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[30-Sep-2023 19:26:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[17-Nov-2023 07:11:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[17-Nov-2023 15:02:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[21-Nov-2023 14:21:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[21-Nov-2023 14:21:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[21-Nov-2023 14:21:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[21-Nov-2023 14:21:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[21-Nov-2023 21:20:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[21-Nov-2023 21:20:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[21-Nov-2023 21:20:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[21-Nov-2023 21:20:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[22-Nov-2023 04:37:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[22-Nov-2023 04:37:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[22-Nov-2023 04:37:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[22-Nov-2023 04:37:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[22-Nov-2023 17:24:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[23-Nov-2023 06:38:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[23-Nov-2023 06:38:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[23-Nov-2023 06:38:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[23-Nov-2023 06:38:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[29-Nov-2023 00:12:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[30-Nov-2023 17:59:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[01-Dec-2023 10:09:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[09-Dec-2023 00:01:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[09-Dec-2023 00:19:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[04-Jan-2024 22:21:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[09-Jan-2024 20:42:38 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[16-Jan-2024 02:22:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[24-Jan-2024 22:53:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[19-Feb-2024 04:38:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[19-Feb-2024 06:53:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[19-Feb-2024 10:57:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[20-Feb-2024 00:17:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[23-Feb-2024 17:05:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[04-Mar-2024 02:36:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[10-Mar-2024 09:26:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[10-Mar-2024 11:19:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[10-Mar-2024 12:10:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[10-Mar-2024 13:24:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[10-Mar-2024 17:49:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[03-Apr-2024 00:36:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[11-Apr-2024 06:43:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[11-Apr-2024 06:50:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[11-Apr-2024 06:54:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[11-Apr-2024 07:24:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[23-Apr-2024 23:50:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[24-Apr-2024 14:11:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[26-Apr-2024 10:47:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[26-Apr-2024 20:16:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[28-Apr-2024 00:14:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[02-May-2024 13:06:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[04-May-2024 21:40:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[04-May-2024 21:40:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[04-May-2024 21:42:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[04-May-2024 21:47:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[04-May-2024 22:22:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[05-May-2024 01:00:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[05-May-2024 03:38:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[05-May-2024 04:45:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[05-May-2024 07:34:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[05-May-2024 07:34:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[05-May-2024 07:36:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[05-May-2024 07:41:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[05-May-2024 17:44:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[05-May-2024 17:44:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[05-May-2024 17:46:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[05-May-2024 17:51:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[07-May-2024 03:24:56 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[14-May-2024 11:52:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[14-May-2024 11:52:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[14-May-2024 11:54:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[14-May-2024 11:59:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[17-May-2024 18:33:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[20-May-2024 03:52:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[20-May-2024 08:32:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[20-May-2024 09:34:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[26-May-2024 00:56:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[26-May-2024 01:53:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[26-May-2024 03:45:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[27-May-2024 09:13:52 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[27-May-2024 09:14:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[27-May-2024 09:26:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[30-May-2024 08:07:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[30-May-2024 10:49:24 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[02-Jun-2024 20:30:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[02-Jun-2024 21:16:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[02-Jun-2024 21:16:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[02-Jun-2024 21:23:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[03-Jun-2024 21:17:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[04-Jun-2024 00:23:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[04-Jun-2024 04:02:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[04-Jun-2024 19:20:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[09-Jun-2024 00:11:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[09-Jun-2024 06:17:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[09-Jun-2024 06:27:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[09-Jun-2024 06:33:04 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[14-Jun-2024 16:47:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[14-Jun-2024 16:47:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[14-Jun-2024 16:47:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[14-Jun-2024 16:47:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[15-Jun-2024 02:54:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[15-Jun-2024 04:01:01 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[15-Jun-2024 04:05:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[15-Jun-2024 12:37:37 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[18-Jun-2024 19:24:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[18-Jun-2024 19:25:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[18-Jun-2024 19:26:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[18-Jun-2024 19:30:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[19-Jun-2024 04:25:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[19-Jun-2024 04:25:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[19-Jun-2024 04:27:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[19-Jun-2024 04:32:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[19-Jun-2024 15:48:33 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[19-Jun-2024 15:48:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[19-Jun-2024 15:50:09 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[19-Jun-2024 15:55:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[20-Jun-2024 21:20:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[21-Jun-2024 07:18:13 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[27-Jun-2024 02:04:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[01-Jul-2024 08:53:10 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[02-Jul-2024 08:30:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[06-Jul-2024 08:15:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[07-Jul-2024 02:03:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[07-Jul-2024 04:53:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[07-Jul-2024 16:36:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[08-Jul-2024 00:31:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[08-Jul-2024 03:02:45 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[08-Jul-2024 16:14:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[12-Jul-2024 19:40:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[12-Jul-2024 21:33:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[12-Jul-2024 22:26:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[12-Jul-2024 22:45:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[15-Jul-2024 02:29:46 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[19-Jul-2024 14:04:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[19-Jul-2024 21:19:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[22-Jul-2024 09:21:18 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[22-Jul-2024 14:39:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[22-Jul-2024 14:41:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[22-Jul-2024 14:41:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[22-Jul-2024 15:07:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[22-Jul-2024 16:12:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[22-Jul-2024 16:13:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[22-Jul-2024 16:14:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[22-Jul-2024 16:20:12 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[23-Jul-2024 18:05:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[23-Jul-2024 23:49:02 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[28-Jul-2024 07:22:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[29-Jul-2024 23:02:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[30-Jul-2024 00:11:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[01-Aug-2024 20:40:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[07-Aug-2024 08:03:00 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[07-Aug-2024 08:48:50 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[08-Aug-2024 02:35:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[09-Aug-2024 22:00:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[10-Aug-2024 15:27:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[11-Aug-2024 20:31:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[12-Aug-2024 15:36:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[13-Aug-2024 20:25:20 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[14-Aug-2024 05:44:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[14-Aug-2024 06:45:51 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[14-Aug-2024 08:09:22 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[14-Aug-2024 22:25:44 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[17-Aug-2024 10:21:58 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[17-Aug-2024 15:54:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[18-Aug-2024 07:37:41 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[18-Aug-2024 08:20:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[18-Aug-2024 08:33:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[18-Aug-2024 09:30:06 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[19-Aug-2024 08:14:42 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[19-Aug-2024 12:23:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[21-Aug-2024 13:53:26 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[24-Aug-2024 03:21:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[25-Aug-2024 08:21:25 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[30-Aug-2024 09:23:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[30-Aug-2024 12:36:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[30-Aug-2024 12:37:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[30-Aug-2024 12:38:39 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[30-Aug-2024 12:44:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[30-Aug-2024 13:01:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[30-Aug-2024 13:02:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[30-Aug-2024 13:03:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[30-Aug-2024 13:09:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[31-Aug-2024 12:29:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[01-Sep-2024 19:50:53 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[01-Sep-2024 19:51:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[01-Sep-2024 19:52:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[01-Sep-2024 19:58:17 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[02-Sep-2024 08:34:49 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[02-Sep-2024 09:23:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[11-Sep-2024 19:45:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[11-Sep-2024 19:45:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[11-Sep-2024 19:46:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[11-Sep-2024 19:51:40 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[15-Sep-2024 05:38:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[15-Sep-2024 11:15:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[15-Sep-2024 11:16:05 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[15-Sep-2024 11:57:54 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[15-Sep-2024 11:58:11 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[16-Sep-2024 09:09:14 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[20-Sep-2024 01:39:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[20-Sep-2024 03:21:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[20-Sep-2024 05:18:47 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[20-Sep-2024 18:56:48 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[20-Sep-2024 20:03:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[21-Sep-2024 04:54:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[21-Sep-2024 14:50:03 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[22-Sep-2024 20:14:28 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[26-Sep-2024 01:06:07 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[29-Sep-2024 12:40:21 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[29-Sep-2024 20:31:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[07-Oct-2024 19:59:36 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[17-Oct-2024 16:16:57 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[17-Oct-2024 17:04:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[18-Oct-2024 02:44:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[18-Oct-2024 12:25:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[22-Oct-2024 18:10:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[22-Oct-2024 22:09:16 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[23-Oct-2024 06:18:08 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[23-Oct-2024 07:36:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[24-Oct-2024 08:25:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[28-Oct-2024 18:08:35 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[29-Oct-2024 00:51:59 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[29-Oct-2024 00:52:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[29-Oct-2024 00:53:55 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[29-Oct-2024 00:59:23 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[06-Nov-2024 11:35:19 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[06-Nov-2024 11:35:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[06-Nov-2024 11:37:15 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[06-Nov-2024 11:42:43 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[09-Nov-2024 01:03:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
[09-Nov-2024 01:03:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Tests\FilesystemTestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTest.php on line 17
[09-Nov-2024 01:04:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/LockHandlerTest.php on line 22
[09-Nov-2024 01:45:31 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/FilesystemTestCase.php on line 17
[11-Nov-2024 02:23:27 America/Fortaleza] PHP Fatal error: Class 'PHPUnit\Framework\TestCase' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Tests/ExceptionTest.php on line 21
filesystem/Tests/ExceptionTest.php 0000644 00000002616 14716422132 0013350 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem\Tests;
use PHPUnit\Framework\TestCase;
use Symfony\Component\Filesystem\Exception\FileNotFoundException;
use Symfony\Component\Filesystem\Exception\IOException;
/**
* Test class for Filesystem.
*/
class ExceptionTest extends TestCase
{
public function testGetPath()
{
$e = new IOException('', 0, null, '/foo');
$this->assertEquals('/foo', $e->getPath(), 'The pass should be returned.');
}
public function testGeneratedMessage()
{
$e = new FileNotFoundException(null, 0, null, '/foo');
$this->assertEquals('/foo', $e->getPath());
$this->assertEquals('File "/foo" could not be found.', $e->getMessage(), 'A message should be generated.');
}
public function testGeneratedMessageWithoutPath()
{
$e = new FileNotFoundException();
$this->assertEquals('File could not be found.', $e->getMessage(), 'A message should be generated.');
}
public function testCustomMessage()
{
$e = new FileNotFoundException('bar', 0, null, '/foo');
$this->assertEquals('bar', $e->getMessage(), 'A custom message should be possible still.');
}
}
filesystem/Filesystem.php 0000644 00000071426 14716422132 0011601 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem;
use Symfony\Component\Filesystem\Exception\FileNotFoundException;
use Symfony\Component\Filesystem\Exception\IOException;
/**
* Provides basic utility to manipulate the file system.
*
* @author Fabien Potencier
*/
class Filesystem
{
private static $lastError;
/**
* Copies a file.
*
* If the target file is older than the origin file, it's always overwritten.
* If the target file is newer, it is overwritten only when the
* $overwriteNewerFiles option is set to true.
*
* @param string $originFile The original filename
* @param string $targetFile The target filename
* @param bool $overwriteNewerFiles If true, target files newer than origin files are overwritten
*
* @throws FileNotFoundException When originFile doesn't exist
* @throws IOException When copy fails
*/
public function copy($originFile, $targetFile, $overwriteNewerFiles = false)
{
$originIsLocal = stream_is_local($originFile) || 0 === stripos($originFile, 'file://');
if ($originIsLocal && !is_file($originFile)) {
throw new FileNotFoundException(sprintf('Failed to copy "%s" because file does not exist.', $originFile), 0, null, $originFile);
}
$this->mkdir(\dirname($targetFile));
$doCopy = true;
if (!$overwriteNewerFiles && null === parse_url($originFile, PHP_URL_HOST) && is_file($targetFile)) {
$doCopy = filemtime($originFile) > filemtime($targetFile);
}
if ($doCopy) {
// https://bugs.php.net/64634
if (false === $source = @fopen($originFile, 'r')) {
throw new IOException(sprintf('Failed to copy "%s" to "%s" because source file could not be opened for reading.', $originFile, $targetFile), 0, null, $originFile);
}
// Stream context created to allow files overwrite when using FTP stream wrapper - disabled by default
if (false === $target = @fopen($targetFile, 'w', null, stream_context_create(['ftp' => ['overwrite' => true]]))) {
throw new IOException(sprintf('Failed to copy "%s" to "%s" because target file could not be opened for writing.', $originFile, $targetFile), 0, null, $originFile);
}
$bytesCopied = stream_copy_to_stream($source, $target);
fclose($source);
fclose($target);
unset($source, $target);
if (!is_file($targetFile)) {
throw new IOException(sprintf('Failed to copy "%s" to "%s".', $originFile, $targetFile), 0, null, $originFile);
}
if ($originIsLocal) {
// Like `cp`, preserve executable permission bits
@chmod($targetFile, fileperms($targetFile) | (fileperms($originFile) & 0111));
if ($bytesCopied !== $bytesOrigin = filesize($originFile)) {
throw new IOException(sprintf('Failed to copy the whole content of "%s" to "%s" (%g of %g bytes copied).', $originFile, $targetFile, $bytesCopied, $bytesOrigin), 0, null, $originFile);
}
}
}
}
/**
* Creates a directory recursively.
*
* @param string|iterable $dirs The directory path
* @param int $mode The directory mode
*
* @throws IOException On any directory creation failure
*/
public function mkdir($dirs, $mode = 0777)
{
foreach ($this->toIterable($dirs) as $dir) {
if (is_dir($dir)) {
continue;
}
if (!self::box('mkdir', $dir, $mode, true)) {
if (!is_dir($dir)) {
// The directory was not created by a concurrent process. Let's throw an exception with a developer friendly error message if we have one
if (self::$lastError) {
throw new IOException(sprintf('Failed to create "%s": '.self::$lastError, $dir), 0, null, $dir);
}
throw new IOException(sprintf('Failed to create "%s".', $dir), 0, null, $dir);
}
}
}
}
/**
* Checks the existence of files or directories.
*
* @param string|iterable $files A filename, an array of files, or a \Traversable instance to check
*
* @return bool true if the file exists, false otherwise
*/
public function exists($files)
{
$maxPathLength = PHP_MAXPATHLEN - 2;
foreach ($this->toIterable($files) as $file) {
if (\strlen($file) > $maxPathLength) {
throw new IOException(sprintf('Could not check if file exist because path length exceeds %d characters.', $maxPathLength), 0, null, $file);
}
if (!file_exists($file)) {
return false;
}
}
return true;
}
/**
* Sets access and modification time of file.
*
* @param string|iterable $files A filename, an array of files, or a \Traversable instance to create
* @param int|null $time The touch time as a Unix timestamp, if not supplied the current system time is used
* @param int|null $atime The access time as a Unix timestamp, if not supplied the current system time is used
*
* @throws IOException When touch fails
*/
public function touch($files, $time = null, $atime = null)
{
foreach ($this->toIterable($files) as $file) {
$touch = $time ? @touch($file, $time, $atime) : @touch($file);
if (true !== $touch) {
throw new IOException(sprintf('Failed to touch "%s".', $file), 0, null, $file);
}
}
}
/**
* Removes files or directories.
*
* @param string|iterable $files A filename, an array of files, or a \Traversable instance to remove
*
* @throws IOException When removal fails
*/
public function remove($files)
{
if ($files instanceof \Traversable) {
$files = iterator_to_array($files, false);
} elseif (!\is_array($files)) {
$files = [$files];
}
$files = array_reverse($files);
foreach ($files as $file) {
if (is_link($file)) {
// See https://bugs.php.net/52176
if (!(self::box('unlink', $file) || '\\' !== \DIRECTORY_SEPARATOR || self::box('rmdir', $file)) && file_exists($file)) {
throw new IOException(sprintf('Failed to remove symlink "%s": '.self::$lastError, $file));
}
} elseif (is_dir($file)) {
$this->remove(new \FilesystemIterator($file, \FilesystemIterator::CURRENT_AS_PATHNAME | \FilesystemIterator::SKIP_DOTS));
if (!self::box('rmdir', $file) && file_exists($file)) {
throw new IOException(sprintf('Failed to remove directory "%s": '.self::$lastError, $file));
}
} elseif (!self::box('unlink', $file) && file_exists($file)) {
throw new IOException(sprintf('Failed to remove file "%s": '.self::$lastError, $file));
}
}
}
/**
* Change mode for an array of files or directories.
*
* @param string|iterable $files A filename, an array of files, or a \Traversable instance to change mode
* @param int $mode The new mode (octal)
* @param int $umask The mode mask (octal)
* @param bool $recursive Whether change the mod recursively or not
*
* @throws IOException When the change fails
*/
public function chmod($files, $mode, $umask = 0000, $recursive = false)
{
foreach ($this->toIterable($files) as $file) {
if (true !== @chmod($file, $mode & ~$umask)) {
throw new IOException(sprintf('Failed to chmod file "%s".', $file), 0, null, $file);
}
if ($recursive && is_dir($file) && !is_link($file)) {
$this->chmod(new \FilesystemIterator($file), $mode, $umask, true);
}
}
}
/**
* Change the owner of an array of files or directories.
*
* @param string|iterable $files A filename, an array of files, or a \Traversable instance to change owner
* @param string|int $user A user name or number
* @param bool $recursive Whether change the owner recursively or not
*
* @throws IOException When the change fails
*/
public function chown($files, $user, $recursive = false)
{
foreach ($this->toIterable($files) as $file) {
if ($recursive && is_dir($file) && !is_link($file)) {
$this->chown(new \FilesystemIterator($file), $user, true);
}
if (is_link($file) && \function_exists('lchown')) {
if (true !== @lchown($file, $user)) {
throw new IOException(sprintf('Failed to chown file "%s".', $file), 0, null, $file);
}
} else {
if (true !== @chown($file, $user)) {
throw new IOException(sprintf('Failed to chown file "%s".', $file), 0, null, $file);
}
}
}
}
/**
* Change the group of an array of files or directories.
*
* @param string|iterable $files A filename, an array of files, or a \Traversable instance to change group
* @param string|int $group A group name or number
* @param bool $recursive Whether change the group recursively or not
*
* @throws IOException When the change fails
*/
public function chgrp($files, $group, $recursive = false)
{
foreach ($this->toIterable($files) as $file) {
if ($recursive && is_dir($file) && !is_link($file)) {
$this->chgrp(new \FilesystemIterator($file), $group, true);
}
if (is_link($file) && \function_exists('lchgrp')) {
if (true !== @lchgrp($file, $group) || (\defined('HHVM_VERSION') && !posix_getgrnam($group))) {
throw new IOException(sprintf('Failed to chgrp file "%s".', $file), 0, null, $file);
}
} else {
if (true !== @chgrp($file, $group)) {
throw new IOException(sprintf('Failed to chgrp file "%s".', $file), 0, null, $file);
}
}
}
}
/**
* Renames a file or a directory.
*
* @param string $origin The origin filename or directory
* @param string $target The new filename or directory
* @param bool $overwrite Whether to overwrite the target if it already exists
*
* @throws IOException When target file or directory already exists
* @throws IOException When origin cannot be renamed
*/
public function rename($origin, $target, $overwrite = false)
{
// we check that target does not exist
if (!$overwrite && $this->isReadable($target)) {
throw new IOException(sprintf('Cannot rename because the target "%s" already exists.', $target), 0, null, $target);
}
if (true !== @rename($origin, $target)) {
if (is_dir($origin)) {
// See https://bugs.php.net/54097 & https://php.net/rename#113943
$this->mirror($origin, $target, null, ['override' => $overwrite, 'delete' => $overwrite]);
$this->remove($origin);
return;
}
throw new IOException(sprintf('Cannot rename "%s" to "%s".', $origin, $target), 0, null, $target);
}
}
/**
* Tells whether a file exists and is readable.
*
* @param string $filename Path to the file
*
* @return bool
*
* @throws IOException When windows path is longer than 258 characters
*/
private function isReadable($filename)
{
$maxPathLength = PHP_MAXPATHLEN - 2;
if (\strlen($filename) > $maxPathLength) {
throw new IOException(sprintf('Could not check if file is readable because path length exceeds %d characters.', $maxPathLength), 0, null, $filename);
}
return is_readable($filename);
}
/**
* Creates a symbolic link or copy a directory.
*
* @param string $originDir The origin directory path
* @param string $targetDir The symbolic link name
* @param bool $copyOnWindows Whether to copy files if on Windows
*
* @throws IOException When symlink fails
*/
public function symlink($originDir, $targetDir, $copyOnWindows = false)
{
if ('\\' === \DIRECTORY_SEPARATOR) {
$originDir = strtr($originDir, '/', '\\');
$targetDir = strtr($targetDir, '/', '\\');
if ($copyOnWindows) {
$this->mirror($originDir, $targetDir);
return;
}
}
$this->mkdir(\dirname($targetDir));
if (is_link($targetDir)) {
if (readlink($targetDir) === $originDir) {
return;
}
$this->remove($targetDir);
}
if (!self::box('symlink', $originDir, $targetDir)) {
$this->linkException($originDir, $targetDir, 'symbolic');
}
}
/**
* Creates a hard link, or several hard links to a file.
*
* @param string $originFile The original file
* @param string|string[] $targetFiles The target file(s)
*
* @throws FileNotFoundException When original file is missing or not a file
* @throws IOException When link fails, including if link already exists
*/
public function hardlink($originFile, $targetFiles)
{
if (!$this->exists($originFile)) {
throw new FileNotFoundException(null, 0, null, $originFile);
}
if (!is_file($originFile)) {
throw new FileNotFoundException(sprintf('Origin file "%s" is not a file.', $originFile));
}
foreach ($this->toIterable($targetFiles) as $targetFile) {
if (is_file($targetFile)) {
if (fileinode($originFile) === fileinode($targetFile)) {
continue;
}
$this->remove($targetFile);
}
if (!self::box('link', $originFile, $targetFile)) {
$this->linkException($originFile, $targetFile, 'hard');
}
}
}
/**
* @param string $origin
* @param string $target
* @param string $linkType Name of the link type, typically 'symbolic' or 'hard'
*/
private function linkException($origin, $target, $linkType)
{
if (self::$lastError) {
if ('\\' === \DIRECTORY_SEPARATOR && false !== strpos(self::$lastError, 'error code(1314)')) {
throw new IOException(sprintf('Unable to create "%s" link due to error code 1314: \'A required privilege is not held by the client\'. Do you have the required Administrator-rights?', $linkType), 0, null, $target);
}
}
throw new IOException(sprintf('Failed to create "%s" link from "%s" to "%s".', $linkType, $origin, $target), 0, null, $target);
}
/**
* Resolves links in paths.
*
* With $canonicalize = false (default)
* - if $path does not exist or is not a link, returns null
* - if $path is a link, returns the next direct target of the link without considering the existence of the target
*
* With $canonicalize = true
* - if $path does not exist, returns null
* - if $path exists, returns its absolute fully resolved final version
*
* @param string $path A filesystem path
* @param bool $canonicalize Whether or not to return a canonicalized path
*
* @return string|null
*/
public function readlink($path, $canonicalize = false)
{
if (!$canonicalize && !is_link($path)) {
return null;
}
if ($canonicalize) {
if (!$this->exists($path)) {
return null;
}
if ('\\' === \DIRECTORY_SEPARATOR) {
$path = readlink($path);
}
return realpath($path);
}
if ('\\' === \DIRECTORY_SEPARATOR) {
return realpath($path);
}
return readlink($path);
}
/**
* Given an existing path, convert it to a path relative to a given starting path.
*
* @param string $endPath Absolute path of target
* @param string $startPath Absolute path where traversal begins
*
* @return string Path of target relative to starting path
*/
public function makePathRelative($endPath, $startPath)
{
if (!$this->isAbsolutePath($endPath) || !$this->isAbsolutePath($startPath)) {
@trigger_error(sprintf('Support for passing relative paths to %s() is deprecated since Symfony 3.4 and will be removed in 4.0.', __METHOD__), E_USER_DEPRECATED);
}
// Normalize separators on Windows
if ('\\' === \DIRECTORY_SEPARATOR) {
$endPath = str_replace('\\', '/', $endPath);
$startPath = str_replace('\\', '/', $startPath);
}
$stripDriveLetter = function ($path) {
if (\strlen($path) > 2 && ':' === $path[1] && '/' === $path[2] && ctype_alpha($path[0])) {
return substr($path, 2);
}
return $path;
};
$endPath = $stripDriveLetter($endPath);
$startPath = $stripDriveLetter($startPath);
// Split the paths into arrays
$startPathArr = explode('/', trim($startPath, '/'));
$endPathArr = explode('/', trim($endPath, '/'));
$normalizePathArray = function ($pathSegments, $absolute) {
$result = [];
foreach ($pathSegments as $segment) {
if ('..' === $segment && ($absolute || \count($result))) {
array_pop($result);
} elseif ('.' !== $segment) {
$result[] = $segment;
}
}
return $result;
};
$startPathArr = $normalizePathArray($startPathArr, static::isAbsolutePath($startPath));
$endPathArr = $normalizePathArray($endPathArr, static::isAbsolutePath($endPath));
// Find for which directory the common path stops
$index = 0;
while (isset($startPathArr[$index]) && isset($endPathArr[$index]) && $startPathArr[$index] === $endPathArr[$index]) {
++$index;
}
// Determine how deep the start path is relative to the common path (ie, "web/bundles" = 2 levels)
if (1 === \count($startPathArr) && '' === $startPathArr[0]) {
$depth = 0;
} else {
$depth = \count($startPathArr) - $index;
}
// Repeated "../" for each level need to reach the common path
$traverser = str_repeat('../', $depth);
$endPathRemainder = implode('/', \array_slice($endPathArr, $index));
// Construct $endPath from traversing to the common path, then to the remaining $endPath
$relativePath = $traverser.('' !== $endPathRemainder ? $endPathRemainder.'/' : '');
return '' === $relativePath ? './' : $relativePath;
}
/**
* Mirrors a directory to another.
*
* Copies files and directories from the origin directory into the target directory. By default:
*
* - existing files in the target directory will be overwritten, except if they are newer (see the `override` option)
* - files in the target directory that do not exist in the source directory will not be deleted (see the `delete` option)
*
* @param string $originDir The origin directory
* @param string $targetDir The target directory
* @param \Traversable|null $iterator Iterator that filters which files and directories to copy, if null a recursive iterator is created
* @param array $options An array of boolean options
* Valid options are:
* - $options['override'] If true, target files newer than origin files are overwritten (see copy(), defaults to false)
* - $options['copy_on_windows'] Whether to copy files instead of links on Windows (see symlink(), defaults to false)
* - $options['delete'] Whether to delete files that are not in the source directory (defaults to false)
*
* @throws IOException When file type is unknown
*/
public function mirror($originDir, $targetDir, \Traversable $iterator = null, $options = [])
{
$targetDir = rtrim($targetDir, '/\\');
$originDir = rtrim($originDir, '/\\');
$originDirLen = \strlen($originDir);
// Iterate in destination folder to remove obsolete entries
if ($this->exists($targetDir) && isset($options['delete']) && $options['delete']) {
$deleteIterator = $iterator;
if (null === $deleteIterator) {
$flags = \FilesystemIterator::SKIP_DOTS;
$deleteIterator = new \RecursiveIteratorIterator(new \RecursiveDirectoryIterator($targetDir, $flags), \RecursiveIteratorIterator::CHILD_FIRST);
}
$targetDirLen = \strlen($targetDir);
foreach ($deleteIterator as $file) {
$origin = $originDir.substr($file->getPathname(), $targetDirLen);
if (!$this->exists($origin)) {
$this->remove($file);
}
}
}
$copyOnWindows = false;
if (isset($options['copy_on_windows'])) {
$copyOnWindows = $options['copy_on_windows'];
}
if (null === $iterator) {
$flags = $copyOnWindows ? \FilesystemIterator::SKIP_DOTS | \FilesystemIterator::FOLLOW_SYMLINKS : \FilesystemIterator::SKIP_DOTS;
$iterator = new \RecursiveIteratorIterator(new \RecursiveDirectoryIterator($originDir, $flags), \RecursiveIteratorIterator::SELF_FIRST);
}
if ($this->exists($originDir)) {
$this->mkdir($targetDir);
}
foreach ($iterator as $file) {
$target = $targetDir.substr($file->getPathname(), $originDirLen);
if ($copyOnWindows) {
if (is_file($file)) {
$this->copy($file, $target, isset($options['override']) ? $options['override'] : false);
} elseif (is_dir($file)) {
$this->mkdir($target);
} else {
throw new IOException(sprintf('Unable to guess "%s" file type.', $file), 0, null, $file);
}
} else {
if (is_link($file)) {
$this->symlink($file->getLinkTarget(), $target);
} elseif (is_dir($file)) {
$this->mkdir($target);
} elseif (is_file($file)) {
$this->copy($file, $target, isset($options['override']) ? $options['override'] : false);
} else {
throw new IOException(sprintf('Unable to guess "%s" file type.', $file), 0, null, $file);
}
}
}
}
/**
* Returns whether the file path is an absolute path.
*
* @param string $file A file path
*
* @return bool
*/
public function isAbsolutePath($file)
{
return strspn($file, '/\\', 0, 1)
|| (\strlen($file) > 3 && ctype_alpha($file[0])
&& ':' === $file[1]
&& strspn($file, '/\\', 2, 1)
)
|| null !== parse_url($file, PHP_URL_SCHEME)
;
}
/**
* Creates a temporary file with support for custom stream wrappers.
*
* @param string $dir The directory where the temporary filename will be created
* @param string $prefix The prefix of the generated temporary filename
* Note: Windows uses only the first three characters of prefix
*
* @return string The new temporary filename (with path), or throw an exception on failure
*/
public function tempnam($dir, $prefix)
{
list($scheme, $hierarchy) = $this->getSchemeAndHierarchy($dir);
// If no scheme or scheme is "file" or "gs" (Google Cloud) create temp file in local filesystem
if (null === $scheme || 'file' === $scheme || 'gs' === $scheme) {
$tmpFile = @tempnam($hierarchy, $prefix);
// If tempnam failed or no scheme return the filename otherwise prepend the scheme
if (false !== $tmpFile) {
if (null !== $scheme && 'gs' !== $scheme) {
return $scheme.'://'.$tmpFile;
}
return $tmpFile;
}
throw new IOException('A temporary file could not be created.');
}
// Loop until we create a valid temp file or have reached 10 attempts
for ($i = 0; $i < 10; ++$i) {
// Create a unique filename
$tmpFile = $dir.'/'.$prefix.uniqid(mt_rand(), true);
// Use fopen instead of file_exists as some streams do not support stat
// Use mode 'x+' to atomically check existence and create to avoid a TOCTOU vulnerability
$handle = @fopen($tmpFile, 'x+');
// If unsuccessful restart the loop
if (false === $handle) {
continue;
}
// Close the file if it was successfully opened
@fclose($handle);
return $tmpFile;
}
throw new IOException('A temporary file could not be created.');
}
/**
* Atomically dumps content into a file.
*
* @param string $filename The file to be written to
* @param string $content The data to write into the file
*
* @throws IOException if the file cannot be written to
*/
public function dumpFile($filename, $content)
{
$dir = \dirname($filename);
if (!is_dir($dir)) {
$this->mkdir($dir);
}
if (!is_writable($dir)) {
throw new IOException(sprintf('Unable to write to the "%s" directory.', $dir), 0, null, $dir);
}
// Will create a temp file with 0600 access rights
// when the filesystem supports chmod.
$tmpFile = $this->tempnam($dir, basename($filename));
if (false === @file_put_contents($tmpFile, $content)) {
throw new IOException(sprintf('Failed to write file "%s".', $filename), 0, null, $filename);
}
@chmod($tmpFile, file_exists($filename) ? fileperms($filename) : 0666 & ~umask());
$this->rename($tmpFile, $filename, true);
}
/**
* Appends content to an existing file.
*
* @param string $filename The file to which to append content
* @param string $content The content to append
*
* @throws IOException If the file is not writable
*/
public function appendToFile($filename, $content)
{
$dir = \dirname($filename);
if (!is_dir($dir)) {
$this->mkdir($dir);
}
if (!is_writable($dir)) {
throw new IOException(sprintf('Unable to write to the "%s" directory.', $dir), 0, null, $dir);
}
if (false === @file_put_contents($filename, $content, FILE_APPEND)) {
throw new IOException(sprintf('Failed to write file "%s".', $filename), 0, null, $filename);
}
}
/**
* @param mixed $files
*
* @return array|\Traversable
*/
private function toIterable($files)
{
return \is_array($files) || $files instanceof \Traversable ? $files : [$files];
}
/**
* Gets a 2-tuple of scheme (may be null) and hierarchical part of a filename (e.g. file:///tmp -> [file, tmp]).
*
* @param string $filename The filename to be parsed
*
* @return array The filename scheme and hierarchical part
*/
private function getSchemeAndHierarchy($filename)
{
$components = explode('://', $filename, 2);
return 2 === \count($components) ? [$components[0], $components[1]] : [null, $components[0]];
}
/**
* @param callable $func
*
* @return mixed
*/
private static function box($func)
{
self::$lastError = null;
set_error_handler(__CLASS__.'::handleError');
try {
$result = \call_user_func_array($func, \array_slice(\func_get_args(), 1));
restore_error_handler();
return $result;
} catch (\Throwable $e) {
} catch (\Exception $e) {
}
restore_error_handler();
throw $e;
}
/**
* @internal
*/
public static function handleError($type, $msg)
{
self::$lastError = $msg;
}
}
filesystem/phpunit.xml.dist 0000644 00000001505 14716422132 0012106 0 ustar 00
./Tests/
./
./Tests
./vendor
filesystem/LockHandler.php 0000644 00000007471 14716422132 0011642 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem;
use Symfony\Component\Filesystem\Exception\IOException;
use Symfony\Component\Lock\Store\FlockStore;
use Symfony\Component\Lock\Store\SemaphoreStore;
@trigger_error(sprintf('The %s class is deprecated since Symfony 3.4 and will be removed in 4.0. Use %s or %s instead.', LockHandler::class, SemaphoreStore::class, FlockStore::class), E_USER_DEPRECATED);
/**
* LockHandler class provides a simple abstraction to lock anything by means of
* a file lock.
*
* A locked file is created based on the lock name when calling lock(). Other
* lock handlers will not be able to lock the same name until it is released
* (explicitly by calling release() or implicitly when the instance holding the
* lock is destroyed).
*
* @author Grégoire Pineau
* @author Romain Neutron
* @author Nicolas Grekas
*
* @deprecated since version 3.4, to be removed in 4.0. Use Symfony\Component\Lock\Store\SemaphoreStore or Symfony\Component\Lock\Store\FlockStore instead.
*/
class LockHandler
{
private $file;
private $handle;
/**
* @param string $name The lock name
* @param string|null $lockPath The directory to store the lock. Default values will use temporary directory
*
* @throws IOException If the lock directory could not be created or is not writable
*/
public function __construct($name, $lockPath = null)
{
$lockPath = $lockPath ?: sys_get_temp_dir();
if (!is_dir($lockPath)) {
$fs = new Filesystem();
$fs->mkdir($lockPath);
}
if (!is_writable($lockPath)) {
throw new IOException(sprintf('The directory "%s" is not writable.', $lockPath), 0, null, $lockPath);
}
$this->file = sprintf('%s/sf.%s.%s.lock', $lockPath, preg_replace('/[^a-z0-9\._-]+/i', '-', $name), hash('sha256', $name));
}
/**
* Lock the resource.
*
* @param bool $blocking Wait until the lock is released
*
* @return bool Returns true if the lock was acquired, false otherwise
*
* @throws IOException If the lock file could not be created or opened
*/
public function lock($blocking = false)
{
if ($this->handle) {
return true;
}
$error = null;
// Silence error reporting
set_error_handler(function ($errno, $msg) use (&$error) {
$error = $msg;
});
if (!$this->handle = fopen($this->file, 'r+') ?: fopen($this->file, 'r')) {
if ($this->handle = fopen($this->file, 'x')) {
chmod($this->file, 0666);
} elseif (!$this->handle = fopen($this->file, 'r+') ?: fopen($this->file, 'r')) {
usleep(100); // Give some time for chmod() to complete
$this->handle = fopen($this->file, 'r+') ?: fopen($this->file, 'r');
}
}
restore_error_handler();
if (!$this->handle) {
throw new IOException($error, 0, null, $this->file);
}
// On Windows, even if PHP doc says the contrary, LOCK_NB works, see
// https://bugs.php.net/54129
if (!flock($this->handle, LOCK_EX | ($blocking ? 0 : LOCK_NB))) {
fclose($this->handle);
$this->handle = null;
return false;
}
return true;
}
/**
* Release the resource.
*/
public function release()
{
if ($this->handle) {
flock($this->handle, LOCK_UN | LOCK_NB);
fclose($this->handle);
$this->handle = null;
}
}
}
filesystem/.gitignore 0000644 00000000042 14716422132 0010716 0 ustar 00 vendor/
composer.lock
phpunit.xml
filesystem/Exception/IOExceptionInterface.php 0000644 00000001246 14716422132 0015413 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem\Exception;
/**
* IOException interface for file and input/output stream related exceptions thrown by the component.
*
* @author Christian Gärtner
*/
interface IOExceptionInterface extends ExceptionInterface
{
/**
* Returns the associated path for the exception.
*
* @return string|null The path
*/
public function getPath();
}
filesystem/Exception/error_log; 0000644 00000121043 14716422132 0012701 0 ustar 00 [21-Sep-2023 11:25:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[22-Sep-2023 17:21:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[29-Sep-2023 12:54:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[29-Sep-2023 12:54:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[29-Sep-2023 12:54:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[29-Sep-2023 15:55:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[29-Sep-2023 15:55:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[29-Sep-2023 15:55:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[30-Sep-2023 17:51:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[30-Sep-2023 17:51:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[30-Sep-2023 17:51:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[30-Sep-2023 19:27:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[30-Sep-2023 19:27:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[30-Sep-2023 19:27:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[17-Nov-2023 07:50:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[21-Nov-2023 17:12:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[21-Nov-2023 17:12:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[21-Nov-2023 17:12:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[22-Nov-2023 01:07:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[22-Nov-2023 01:07:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[22-Nov-2023 01:07:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[22-Nov-2023 10:38:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[22-Nov-2023 10:38:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[22-Nov-2023 10:38:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[24-Nov-2023 05:08:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[24-Nov-2023 05:08:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[24-Nov-2023 05:08:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[26-Nov-2023 10:24:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[02-Dec-2023 04:30:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[02-Dec-2023 23:56:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[07-Jan-2024 11:25:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[12-Jan-2024 03:52:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[15-Jan-2024 09:09:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[16-Feb-2024 10:23:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[16-Feb-2024 23:44:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[17-Feb-2024 21:06:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[29-Feb-2024 23:53:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[05-Mar-2024 21:57:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[15-Mar-2024 05:04:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[15-Mar-2024 10:04:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[16-Mar-2024 19:50:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[11-Apr-2024 06:55:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[22-Apr-2024 03:44:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[22-Apr-2024 03:53:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[22-Apr-2024 10:38:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[29-Apr-2024 06:17:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[30-Apr-2024 11:49:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[03-May-2024 18:33:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[04-May-2024 21:42:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[04-May-2024 21:47:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[04-May-2024 21:56:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[05-May-2024 04:16:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[05-May-2024 07:37:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[05-May-2024 07:42:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[05-May-2024 07:51:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[05-May-2024 17:46:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[05-May-2024 17:52:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[05-May-2024 18:03:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[10-May-2024 17:31:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[14-May-2024 11:54:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[14-May-2024 12:00:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[14-May-2024 12:11:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[20-May-2024 10:26:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[26-May-2024 03:54:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[28-May-2024 11:23:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[28-May-2024 22:30:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[30-May-2024 00:04:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[02-Jun-2024 22:27:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[03-Jun-2024 07:36:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[03-Jun-2024 20:15:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[08-Jun-2024 21:58:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[14-Jun-2024 16:47:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[14-Jun-2024 16:47:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[14-Jun-2024 16:47:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[15-Jun-2024 04:09:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[15-Jun-2024 21:49:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[18-Jun-2024 19:27:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[18-Jun-2024 19:31:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[18-Jun-2024 19:33:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[19-Jun-2024 04:27:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[19-Jun-2024 04:32:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[19-Jun-2024 04:36:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[19-Jun-2024 15:50:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[19-Jun-2024 15:55:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[19-Jun-2024 15:59:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[21-Jun-2024 04:54:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[27-Jun-2024 07:33:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[28-Jun-2024 22:49:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[02-Jul-2024 15:40:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[03-Jul-2024 09:05:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[07-Jul-2024 01:28:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[08-Jul-2024 05:48:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[08-Jul-2024 14:00:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[10-Jul-2024 01:18:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[10-Jul-2024 06:38:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[12-Jul-2024 16:07:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[16-Jul-2024 03:12:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[16-Jul-2024 07:50:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[22-Jul-2024 09:57:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[22-Jul-2024 16:15:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[22-Jul-2024 16:20:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[22-Jul-2024 16:30:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[26-Jul-2024 11:44:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[28-Jul-2024 08:01:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[29-Jul-2024 02:18:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[03-Aug-2024 11:25:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[07-Aug-2024 09:24:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[08-Aug-2024 01:17:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[09-Aug-2024 07:11:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[12-Aug-2024 16:03:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[13-Aug-2024 15:14:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[13-Aug-2024 23:10:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[14-Aug-2024 19:32:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[15-Aug-2024 03:19:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[15-Aug-2024 08:59:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[17-Aug-2024 01:37:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[17-Aug-2024 10:53:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[17-Aug-2024 14:32:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[18-Aug-2024 10:39:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[21-Aug-2024 10:47:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[22-Aug-2024 12:00:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[25-Aug-2024 08:31:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[29-Aug-2024 23:15:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[30-Aug-2024 12:39:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[30-Aug-2024 12:44:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[30-Aug-2024 13:04:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[30-Aug-2024 13:09:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[30-Aug-2024 13:35:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[30-Aug-2024 13:39:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[01-Sep-2024 19:53:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[01-Sep-2024 19:58:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[01-Sep-2024 20:07:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[05-Sep-2024 08:23:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[05-Sep-2024 09:00:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[11-Sep-2024 19:47:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[11-Sep-2024 19:52:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[11-Sep-2024 20:02:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[12-Sep-2024 09:03:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[14-Sep-2024 19:03:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[16-Sep-2024 06:55:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[16-Sep-2024 15:35:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[17-Sep-2024 04:36:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[20-Sep-2024 01:04:30 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[20-Sep-2024 14:19:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[20-Sep-2024 17:56:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[21-Sep-2024 06:12:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[26-Sep-2024 04:48:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[01-Oct-2024 13:13:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[11-Oct-2024 19:08:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[15-Oct-2024 17:34:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[17-Oct-2024 10:30:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[18-Oct-2024 12:24:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[18-Oct-2024 12:27:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[22-Oct-2024 19:02:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[22-Oct-2024 21:32:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[23-Oct-2024 05:05:30 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[23-Oct-2024 05:53:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[23-Oct-2024 13:35:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[28-Oct-2024 03:22:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[28-Oct-2024 22:05:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[29-Oct-2024 00:54:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[29-Oct-2024 00:59:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[29-Oct-2024 01:19:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[02-Nov-2024 21:14:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[06-Nov-2024 11:37:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[06-Nov-2024 11:43:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[06-Nov-2024 12:01:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
[09-Nov-2024 01:07:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\IOExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOException.php on line 21
[09-Nov-2024 01:50:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\Filesystem\Exception\ExceptionInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/IOExceptionInterface.php on line 19
[09-Nov-2024 11:51:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\Filesystem\Exception\IOException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/filesystem/Exception/FileNotFoundException.php on line 20
filesystem/Exception/IOException.php 0000644 00000001652 14716422132 0013573 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem\Exception;
/**
* Exception class thrown when a filesystem operation failure happens.
*
* @author Romain Neutron
* @author Christian Gärtner
* @author Fabien Potencier
*/
class IOException extends \RuntimeException implements IOExceptionInterface
{
private $path;
public function __construct($message, $code = 0, \Exception $previous = null, $path = null)
{
$this->path = $path;
parent::__construct($message, $code, $previous);
}
/**
* {@inheritdoc}
*/
public function getPath()
{
return $this->path;
}
}
filesystem/Exception/FileNotFoundException.php 0000644 00000001667 14716422132 0015626 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem\Exception;
/**
* Exception class thrown when a file couldn't be found.
*
* @author Fabien Potencier
* @author Christian Gärtner
*/
class FileNotFoundException extends IOException
{
public function __construct($message = null, $code = 0, \Exception $previous = null, $path = null)
{
if (null === $message) {
if (null === $path) {
$message = 'File could not be found.';
} else {
$message = sprintf('File "%s" could not be found.', $path);
}
}
parent::__construct($message, $code, $previous, $path);
}
}
filesystem/Exception/ExceptionInterface.php 0000644 00000000675 14716422132 0015170 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\Filesystem\Exception;
/**
* Exception interface for all exceptions thrown by the component.
*
* @author Romain Neutron
*/
interface ExceptionInterface
{
}
polyfill-ctype/composer.json 0000644 00000001534 14716422132 0012247 0 ustar 00 {
"name": "symfony/polyfill-ctype",
"type": "library",
"description": "Symfony polyfill for ctype functions",
"keywords": ["polyfill", "compatibility", "portable", "ctype"],
"homepage": "https://symfony.com",
"license": "MIT",
"authors": [
{
"name": "Gert de Pagter",
"email": "BackEndTea@gmail.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"require": {
"php": ">=5.3.3"
},
"autoload": {
"psr-4": { "Symfony\\Polyfill\\Ctype\\": "" },
"files": [ "bootstrap.php" ]
},
"suggest": {
"ext-ctype": "For best performance"
},
"minimum-stability": "dev",
"extra": {
"branch-alias": {
"dev-master": "1.17-dev"
}
}
}
polyfill-ctype/LICENSE 0000644 00000002051 14716422132 0010525 0 ustar 00 Copyright (c) 2018-2019 Fabien Potencier
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is furnished
to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
polyfill-ctype/bootstrap.php 0000644 00000002756 14716422132 0012262 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
use Symfony\Polyfill\Ctype as p;
if (!function_exists('ctype_alnum')) {
function ctype_alnum($text) { return p\Ctype::ctype_alnum($text); }
}
if (!function_exists('ctype_alpha')) {
function ctype_alpha($text) { return p\Ctype::ctype_alpha($text); }
}
if (!function_exists('ctype_cntrl')) {
function ctype_cntrl($text) { return p\Ctype::ctype_cntrl($text); }
}
if (!function_exists('ctype_digit')) {
function ctype_digit($text) { return p\Ctype::ctype_digit($text); }
}
if (!function_exists('ctype_graph')) {
function ctype_graph($text) { return p\Ctype::ctype_graph($text); }
}
if (!function_exists('ctype_lower')) {
function ctype_lower($text) { return p\Ctype::ctype_lower($text); }
}
if (!function_exists('ctype_print')) {
function ctype_print($text) { return p\Ctype::ctype_print($text); }
}
if (!function_exists('ctype_punct')) {
function ctype_punct($text) { return p\Ctype::ctype_punct($text); }
}
if (!function_exists('ctype_space')) {
function ctype_space($text) { return p\Ctype::ctype_space($text); }
}
if (!function_exists('ctype_upper')) {
function ctype_upper($text) { return p\Ctype::ctype_upper($text); }
}
if (!function_exists('ctype_xdigit')) {
function ctype_xdigit($text) { return p\Ctype::ctype_xdigit($text); }
}
polyfill-ctype/Ctype.php 0000644 00000014175 14716422132 0011327 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Ctype;
/**
* Ctype implementation through regex.
*
* @internal
*
* @author Gert de Pagter
*/
final class Ctype
{
/**
* Returns TRUE if every character in text is either a letter or a digit, FALSE otherwise.
*
* @see https://php.net/ctype-alnum
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_alnum($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^A-Za-z0-9]/', $text);
}
/**
* Returns TRUE if every character in text is a letter, FALSE otherwise.
*
* @see https://php.net/ctype-alpha
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_alpha($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^A-Za-z]/', $text);
}
/**
* Returns TRUE if every character in text is a control character from the current locale, FALSE otherwise.
*
* @see https://php.net/ctype-cntrl
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_cntrl($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^\x00-\x1f\x7f]/', $text);
}
/**
* Returns TRUE if every character in the string text is a decimal digit, FALSE otherwise.
*
* @see https://php.net/ctype-digit
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_digit($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^0-9]/', $text);
}
/**
* Returns TRUE if every character in text is printable and actually creates visible output (no white space), FALSE otherwise.
*
* @see https://php.net/ctype-graph
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_graph($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^!-~]/', $text);
}
/**
* Returns TRUE if every character in text is a lowercase letter.
*
* @see https://php.net/ctype-lower
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_lower($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^a-z]/', $text);
}
/**
* Returns TRUE if every character in text will actually create output (including blanks). Returns FALSE if text contains control characters or characters that do not have any output or control function at all.
*
* @see https://php.net/ctype-print
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_print($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^ -~]/', $text);
}
/**
* Returns TRUE if every character in text is printable, but neither letter, digit or blank, FALSE otherwise.
*
* @see https://php.net/ctype-punct
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_punct($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^!-\/\:-@\[-`\{-~]/', $text);
}
/**
* Returns TRUE if every character in text creates some sort of white space, FALSE otherwise. Besides the blank character this also includes tab, vertical tab, line feed, carriage return and form feed characters.
*
* @see https://php.net/ctype-space
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_space($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^\s]/', $text);
}
/**
* Returns TRUE if every character in text is an uppercase letter.
*
* @see https://php.net/ctype-upper
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_upper($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^A-Z]/', $text);
}
/**
* Returns TRUE if every character in text is a hexadecimal 'digit', that is a decimal digit or a character from [A-Fa-f] , FALSE otherwise.
*
* @see https://php.net/ctype-xdigit
*
* @param string|int $text
*
* @return bool
*/
public static function ctype_xdigit($text)
{
$text = self::convert_int_to_char_for_ctype($text);
return \is_string($text) && '' !== $text && !preg_match('/[^A-Fa-f0-9]/', $text);
}
/**
* Converts integers to their char versions according to normal ctype behaviour, if needed.
*
* If an integer between -128 and 255 inclusive is provided,
* it is interpreted as the ASCII value of a single character
* (negative values have 256 added in order to allow characters in the Extended ASCII range).
* Any other integer is interpreted as a string containing the decimal digits of the integer.
*
* @param string|int $int
*
* @return mixed
*/
private static function convert_int_to_char_for_ctype($int)
{
if (!\is_int($int)) {
return $int;
}
if ($int < -128 || $int > 255) {
return (string) $int;
}
if ($int < 0) {
$int += 256;
}
return \chr($int);
}
}
polyfill-php72/composer.json 0000644 00000001465 14716422132 0012066 0 ustar 00 {
"name": "symfony/polyfill-php72",
"type": "library",
"description": "Symfony polyfill backporting some PHP 7.2+ features to lower PHP versions",
"keywords": ["polyfill", "shim", "compatibility", "portable"],
"homepage": "https://symfony.com",
"license": "MIT",
"authors": [
{
"name": "Nicolas Grekas",
"email": "p@tchwork.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"require": {
"php": ">=5.3.3"
},
"autoload": {
"psr-4": { "Symfony\\Polyfill\\Php72\\": "" },
"files": [ "bootstrap.php" ]
},
"minimum-stability": "dev",
"extra": {
"branch-alias": {
"dev-master": "1.17-dev"
}
}
}
polyfill-php72/LICENSE 0000644 00000002051 14716422132 0010341 0 ustar 00 Copyright (c) 2015-2019 Fabien Potencier
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is furnished
to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
polyfill-php72/Php72.php 0000644 00000015026 14716422132 0010753 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Polyfill\Php72;
/**
* @author Nicolas Grekas
* @author Dariusz Rumiński
*
* @internal
*/
final class Php72
{
private static $hashMask;
public static function utf8_encode($s)
{
$s .= $s;
$len = \strlen($s);
for ($i = $len >> 1, $j = 0; $i < $len; ++$i, ++$j) {
switch (true) {
case $s[$i] < "\x80": $s[$j] = $s[$i]; break;
case $s[$i] < "\xC0": $s[$j] = "\xC2"; $s[++$j] = $s[$i]; break;
default: $s[$j] = "\xC3"; $s[++$j] = \chr(\ord($s[$i]) - 64); break;
}
}
return substr($s, 0, $j);
}
public static function utf8_decode($s)
{
$s = (string) $s;
$len = \strlen($s);
for ($i = 0, $j = 0; $i < $len; ++$i, ++$j) {
switch ($s[$i] & "\xF0") {
case "\xC0":
case "\xD0":
$c = (\ord($s[$i] & "\x1F") << 6) | \ord($s[++$i] & "\x3F");
$s[$j] = $c < 256 ? \chr($c) : '?';
break;
case "\xF0":
++$i;
// no break
case "\xE0":
$s[$j] = '?';
$i += 2;
break;
default:
$s[$j] = $s[$i];
}
}
return substr($s, 0, $j);
}
public static function php_os_family()
{
if ('\\' === \DIRECTORY_SEPARATOR) {
return 'Windows';
}
$map = array(
'Darwin' => 'Darwin',
'DragonFly' => 'BSD',
'FreeBSD' => 'BSD',
'NetBSD' => 'BSD',
'OpenBSD' => 'BSD',
'Linux' => 'Linux',
'SunOS' => 'Solaris',
);
return isset($map[PHP_OS]) ? $map[PHP_OS] : 'Unknown';
}
public static function spl_object_id($object)
{
if (null === self::$hashMask) {
self::initHashMask();
}
if (null === $hash = spl_object_hash($object)) {
return;
}
// On 32-bit systems, PHP_INT_SIZE is 4,
return self::$hashMask ^ hexdec(substr($hash, 16 - (\PHP_INT_SIZE * 2 - 1), (\PHP_INT_SIZE * 2 - 1)));
}
public static function sapi_windows_vt100_support($stream, $enable = null)
{
if (!\is_resource($stream)) {
trigger_error('sapi_windows_vt100_support() expects parameter 1 to be resource, '.\gettype($stream).' given', E_USER_WARNING);
return false;
}
$meta = stream_get_meta_data($stream);
if ('STDIO' !== $meta['stream_type']) {
trigger_error('sapi_windows_vt100_support() was not able to analyze the specified stream', E_USER_WARNING);
return false;
}
// We cannot actually disable vt100 support if it is set
if (false === $enable || !self::stream_isatty($stream)) {
return false;
}
// The native function does not apply to stdin
$meta = array_map('strtolower', $meta);
$stdin = 'php://stdin' === $meta['uri'] || 'php://fd/0' === $meta['uri'];
return !$stdin
&& (false !== getenv('ANSICON')
|| 'ON' === getenv('ConEmuANSI')
|| 'xterm' === getenv('TERM')
|| 'Hyper' === getenv('TERM_PROGRAM'));
}
public static function stream_isatty($stream)
{
if (!\is_resource($stream)) {
trigger_error('stream_isatty() expects parameter 1 to be resource, '.\gettype($stream).' given', E_USER_WARNING);
return false;
}
if ('\\' === \DIRECTORY_SEPARATOR) {
$stat = @fstat($stream);
// Check if formatted mode is S_IFCHR
return $stat ? 0020000 === ($stat['mode'] & 0170000) : false;
}
return \function_exists('posix_isatty') && @posix_isatty($stream);
}
private static function initHashMask()
{
$obj = (object) array();
self::$hashMask = -1;
// check if we are nested in an output buffering handler to prevent a fatal error with ob_start() below
$obFuncs = array('ob_clean', 'ob_end_clean', 'ob_flush', 'ob_end_flush', 'ob_get_contents', 'ob_get_flush');
foreach (debug_backtrace(\PHP_VERSION_ID >= 50400 ? DEBUG_BACKTRACE_IGNORE_ARGS : false) as $frame) {
if (isset($frame['function'][0]) && !isset($frame['class']) && 'o' === $frame['function'][0] && \in_array($frame['function'], $obFuncs)) {
$frame['line'] = 0;
break;
}
}
if (!empty($frame['line'])) {
ob_start();
debug_zval_dump($obj);
self::$hashMask = (int) substr(ob_get_clean(), 17);
}
self::$hashMask ^= hexdec(substr(spl_object_hash($obj), 16 - (\PHP_INT_SIZE * 2 - 1), (\PHP_INT_SIZE * 2 - 1)));
}
public static function mb_chr($code, $encoding = null)
{
if (0x80 > $code %= 0x200000) {
$s = \chr($code);
} elseif (0x800 > $code) {
$s = \chr(0xC0 | $code >> 6).\chr(0x80 | $code & 0x3F);
} elseif (0x10000 > $code) {
$s = \chr(0xE0 | $code >> 12).\chr(0x80 | $code >> 6 & 0x3F).\chr(0x80 | $code & 0x3F);
} else {
$s = \chr(0xF0 | $code >> 18).\chr(0x80 | $code >> 12 & 0x3F).\chr(0x80 | $code >> 6 & 0x3F).\chr(0x80 | $code & 0x3F);
}
if ('UTF-8' !== $encoding) {
$s = mb_convert_encoding($s, $encoding, 'UTF-8');
}
return $s;
}
public static function mb_ord($s, $encoding = null)
{
if (null == $encoding) {
$s = mb_convert_encoding($s, 'UTF-8');
} elseif ('UTF-8' !== $encoding) {
$s = mb_convert_encoding($s, 'UTF-8', $encoding);
}
if (1 === \strlen($s)) {
return \ord($s);
}
$code = ($s = unpack('C*', substr($s, 0, 4))) ? $s[1] : 0;
if (0xF0 <= $code) {
return (($code - 0xF0) << 18) + (($s[2] - 0x80) << 12) + (($s[3] - 0x80) << 6) + $s[4] - 0x80;
}
if (0xE0 <= $code) {
return (($code - 0xE0) << 12) + (($s[2] - 0x80) << 6) + $s[3] - 0x80;
}
if (0xC0 <= $code) {
return (($code - 0xC0) << 6) + $s[2] - 0x80;
}
return $code;
}
}
polyfill-php72/bootstrap.php 0000644 00000003435 14716422132 0012071 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
use Symfony\Polyfill\Php72 as p;
if (PHP_VERSION_ID >= 70200) {
return;
}
if (!defined('PHP_FLOAT_DIG')) {
define('PHP_FLOAT_DIG', 15);
}
if (!defined('PHP_FLOAT_EPSILON')) {
define('PHP_FLOAT_EPSILON', 2.2204460492503E-16);
}
if (!defined('PHP_FLOAT_MIN')) {
define('PHP_FLOAT_MIN', 2.2250738585072E-308);
}
if (!defined('PHP_FLOAT_MAX')) {
define('PHP_FLOAT_MAX', 1.7976931348623157E+308);
}
if (!defined('PHP_OS_FAMILY')) {
define('PHP_OS_FAMILY', p\Php72::php_os_family());
}
if ('\\' === DIRECTORY_SEPARATOR && !function_exists('sapi_windows_vt100_support')) {
function sapi_windows_vt100_support($stream, $enable = null) { return p\Php72::sapi_windows_vt100_support($stream, $enable); }
}
if (!function_exists('stream_isatty')) {
function stream_isatty($stream) { return p\Php72::stream_isatty($stream); }
}
if (!function_exists('utf8_encode')) {
function utf8_encode($s) { return p\Php72::utf8_encode($s); }
}
if (!function_exists('utf8_decode')) {
function utf8_decode($s) { return p\Php72::utf8_decode($s); }
}
if (!function_exists('spl_object_id')) {
function spl_object_id($s) { return p\Php72::spl_object_id($s); }
}
if (!function_exists('mb_ord')) {
function mb_ord($s, $enc = null) { return p\Php72::mb_ord($s, $enc); }
}
if (!function_exists('mb_chr')) {
function mb_chr($code, $enc = null) { return p\Php72::mb_chr($code, $enc); }
}
if (!function_exists('mb_scrub')) {
function mb_scrub($s, $enc = null) { $enc = null === $enc ? mb_internal_encoding() : $enc; return mb_convert_encoding($s, $enc, $enc); }
}
http-foundation/JsonResponse.php 0000644 00000017316 14716422132 0013042 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation;
/**
* Response represents an HTTP response in JSON format.
*
* Note that this class does not force the returned JSON content to be an
* object. It is however recommended that you do return an object as it
* protects yourself against XSSI and JSON-JavaScript Hijacking.
*
* @see https://github.com/OWASP/CheatSheetSeries/blob/master/cheatsheets/AJAX_Security_Cheat_Sheet.md#always-return-json-with-an-object-on-the-outside
*
* @author Igor Wiedler
*/
class JsonResponse extends Response
{
protected $data;
protected $callback;
// Encode <, >, ', &, and " characters in the JSON, making it also safe to be embedded into HTML.
// 15 === JSON_HEX_TAG | JSON_HEX_APOS | JSON_HEX_AMP | JSON_HEX_QUOT
const DEFAULT_ENCODING_OPTIONS = 15;
protected $encodingOptions = self::DEFAULT_ENCODING_OPTIONS;
/**
* @param mixed $data The response data
* @param int $status The response status code
* @param array $headers An array of response headers
* @param bool $json If the data is already a JSON string
*/
public function __construct($data = null, $status = 200, $headers = [], $json = false)
{
parent::__construct('', $status, $headers);
if (null === $data) {
$data = new \ArrayObject();
}
$json ? $this->setJson($data) : $this->setData($data);
}
/**
* Factory method for chainability.
*
* Example:
*
* return JsonResponse::create(['key' => 'value'])
* ->setSharedMaxAge(300);
*
* @param mixed $data The JSON response data
* @param int $status The response status code
* @param array $headers An array of response headers
*
* @return static
*/
public static function create($data = null, $status = 200, $headers = [])
{
return new static($data, $status, $headers);
}
/**
* Factory method for chainability.
*
* Example:
*
* return JsonResponse::fromJsonString('{"key": "value"}')
* ->setSharedMaxAge(300);
*
* @param string|null $data The JSON response string
* @param int $status The response status code
* @param array $headers An array of response headers
*
* @return static
*/
public static function fromJsonString($data = null, $status = 200, $headers = [])
{
return new static($data, $status, $headers, true);
}
/**
* Sets the JSONP callback.
*
* @param string|null $callback The JSONP callback or null to use none
*
* @return $this
*
* @throws \InvalidArgumentException When the callback name is not valid
*/
public function setCallback($callback = null)
{
if (null !== $callback) {
// partially taken from https://geekality.net/2011/08/03/valid-javascript-identifier/
// partially taken from https://github.com/willdurand/JsonpCallbackValidator
// JsonpCallbackValidator is released under the MIT License. See https://github.com/willdurand/JsonpCallbackValidator/blob/v1.1.0/LICENSE for details.
// (c) William Durand
$pattern = '/^[$_\p{L}][$_\p{L}\p{Mn}\p{Mc}\p{Nd}\p{Pc}\x{200C}\x{200D}]*(?:\[(?:"(?:\\\.|[^"\\\])*"|\'(?:\\\.|[^\'\\\])*\'|\d+)\])*?$/u';
$reserved = [
'break', 'do', 'instanceof', 'typeof', 'case', 'else', 'new', 'var', 'catch', 'finally', 'return', 'void', 'continue', 'for', 'switch', 'while',
'debugger', 'function', 'this', 'with', 'default', 'if', 'throw', 'delete', 'in', 'try', 'class', 'enum', 'extends', 'super', 'const', 'export',
'import', 'implements', 'let', 'private', 'public', 'yield', 'interface', 'package', 'protected', 'static', 'null', 'true', 'false',
];
$parts = explode('.', $callback);
foreach ($parts as $part) {
if (!preg_match($pattern, $part) || \in_array($part, $reserved, true)) {
throw new \InvalidArgumentException('The callback name is not valid.');
}
}
}
$this->callback = $callback;
return $this->update();
}
/**
* Sets a raw string containing a JSON document to be sent.
*
* @param string $json
*
* @return $this
*
* @throws \InvalidArgumentException
*/
public function setJson($json)
{
$this->data = $json;
return $this->update();
}
/**
* Sets the data to be sent as JSON.
*
* @param mixed $data
*
* @return $this
*
* @throws \InvalidArgumentException
*/
public function setData($data = [])
{
if (\defined('HHVM_VERSION')) {
// HHVM does not trigger any warnings and let exceptions
// thrown from a JsonSerializable object pass through.
// If only PHP did the same...
$data = json_encode($data, $this->encodingOptions);
} else {
if (!interface_exists('JsonSerializable', false)) {
set_error_handler(function () { return false; });
try {
$data = @json_encode($data, $this->encodingOptions);
} finally {
restore_error_handler();
}
} else {
try {
$data = json_encode($data, $this->encodingOptions);
} catch (\Exception $e) {
if ('Exception' === \get_class($e) && 0 === strpos($e->getMessage(), 'Failed calling ')) {
throw $e->getPrevious() ?: $e;
}
throw $e;
}
if (\PHP_VERSION_ID >= 70300 && (JSON_THROW_ON_ERROR & $this->encodingOptions)) {
return $this->setJson($data);
}
}
}
if (JSON_ERROR_NONE !== json_last_error()) {
throw new \InvalidArgumentException(json_last_error_msg());
}
return $this->setJson($data);
}
/**
* Returns options used while encoding data to JSON.
*
* @return int
*/
public function getEncodingOptions()
{
return $this->encodingOptions;
}
/**
* Sets options used while encoding data to JSON.
*
* @param int $encodingOptions
*
* @return $this
*/
public function setEncodingOptions($encodingOptions)
{
$this->encodingOptions = (int) $encodingOptions;
return $this->setData(json_decode($this->data));
}
/**
* Updates the content and headers according to the JSON data and callback.
*
* @return $this
*/
protected function update()
{
if (null !== $this->callback) {
// Not using application/javascript for compatibility reasons with older browsers.
$this->headers->set('Content-Type', 'text/javascript');
return $this->setContent(sprintf('/**/%s(%s);', $this->callback, $this->data));
}
// Only set the header when there is none or when it equals 'text/javascript' (from a previous update with callback)
// in order to not overwrite a custom definition.
if (!$this->headers->has('Content-Type') || 'text/javascript' === $this->headers->get('Content-Type')) {
$this->headers->set('Content-Type', 'application/json');
}
return $this->setContent($this->data);
}
}
http-foundation/File/Stream.php 0000644 00000000771 14716422132 0012521 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File;
/**
* A PHP stream of unknown size.
*
* @author Nicolas Grekas
*/
class Stream extends File
{
/**
* {@inheritdoc}
*/
public function getSize()
{
return false;
}
}
http-foundation/File/UploadedFile.php 0000644 00000022076 14716422132 0013625 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File;
use Symfony\Component\HttpFoundation\File\Exception\FileException;
use Symfony\Component\HttpFoundation\File\Exception\FileNotFoundException;
use Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesser;
/**
* A file uploaded through a form.
*
* @author Bernhard Schussek
* @author Florian Eckerstorfer
* @author Fabien Potencier
*/
class UploadedFile extends File
{
private $test = false;
private $originalName;
private $mimeType;
private $size;
private $error;
/**
* Accepts the information of the uploaded file as provided by the PHP global $_FILES.
*
* The file object is only created when the uploaded file is valid (i.e. when the
* isValid() method returns true). Otherwise the only methods that could be called
* on an UploadedFile instance are:
*
* * getClientOriginalName,
* * getClientMimeType,
* * isValid,
* * getError.
*
* Calling any other method on an non-valid instance will cause an unpredictable result.
*
* @param string $path The full temporary path to the file
* @param string $originalName The original file name of the uploaded file
* @param string|null $mimeType The type of the file as provided by PHP; null defaults to application/octet-stream
* @param int|null $size The file size provided by the uploader
* @param int|null $error The error constant of the upload (one of PHP's UPLOAD_ERR_XXX constants); null defaults to UPLOAD_ERR_OK
* @param bool $test Whether the test mode is active
* Local files are used in test mode hence the code should not enforce HTTP uploads
*
* @throws FileException If file_uploads is disabled
* @throws FileNotFoundException If the file does not exist
*/
public function __construct($path, $originalName, $mimeType = null, $size = null, $error = null, $test = false)
{
$this->originalName = $this->getName($originalName);
$this->mimeType = $mimeType ?: 'application/octet-stream';
$this->size = $size;
$this->error = $error ?: UPLOAD_ERR_OK;
$this->test = (bool) $test;
parent::__construct($path, UPLOAD_ERR_OK === $this->error);
}
/**
* Returns the original file name.
*
* It is extracted from the request from which the file has been uploaded.
* Then it should not be considered as a safe value.
*
* @return string|null The original name
*/
public function getClientOriginalName()
{
return $this->originalName;
}
/**
* Returns the original file extension.
*
* It is extracted from the original file name that was uploaded.
* Then it should not be considered as a safe value.
*
* @return string The extension
*/
public function getClientOriginalExtension()
{
return pathinfo($this->originalName, PATHINFO_EXTENSION);
}
/**
* Returns the file mime type.
*
* The client mime type is extracted from the request from which the file
* was uploaded, so it should not be considered as a safe value.
*
* For a trusted mime type, use getMimeType() instead (which guesses the mime
* type based on the file content).
*
* @return string|null The mime type
*
* @see getMimeType()
*/
public function getClientMimeType()
{
return $this->mimeType;
}
/**
* Returns the extension based on the client mime type.
*
* If the mime type is unknown, returns null.
*
* This method uses the mime type as guessed by getClientMimeType()
* to guess the file extension. As such, the extension returned
* by this method cannot be trusted.
*
* For a trusted extension, use guessExtension() instead (which guesses
* the extension based on the guessed mime type for the file).
*
* @return string|null The guessed extension or null if it cannot be guessed
*
* @see guessExtension()
* @see getClientMimeType()
*/
public function guessClientExtension()
{
$type = $this->getClientMimeType();
$guesser = ExtensionGuesser::getInstance();
return $guesser->guess($type);
}
/**
* Returns the file size.
*
* It is extracted from the request from which the file has been uploaded.
* Then it should not be considered as a safe value.
*
* @return int|null The file size
*/
public function getClientSize()
{
return $this->size;
}
/**
* Returns the upload error.
*
* If the upload was successful, the constant UPLOAD_ERR_OK is returned.
* Otherwise one of the other UPLOAD_ERR_XXX constants is returned.
*
* @return int The upload error
*/
public function getError()
{
return $this->error;
}
/**
* Returns whether the file was uploaded successfully.
*
* @return bool True if the file has been uploaded with HTTP and no error occurred
*/
public function isValid()
{
$isOk = UPLOAD_ERR_OK === $this->error;
return $this->test ? $isOk : $isOk && is_uploaded_file($this->getPathname());
}
/**
* Moves the file to a new location.
*
* @param string $directory The destination folder
* @param string $name The new file name
*
* @return File A File object representing the new file
*
* @throws FileException if, for any reason, the file could not have been moved
*/
public function move($directory, $name = null)
{
if ($this->isValid()) {
if ($this->test) {
return parent::move($directory, $name);
}
$target = $this->getTargetFile($directory, $name);
set_error_handler(function ($type, $msg) use (&$error) { $error = $msg; });
$moved = move_uploaded_file($this->getPathname(), $target);
restore_error_handler();
if (!$moved) {
throw new FileException(sprintf('Could not move the file "%s" to "%s" (%s).', $this->getPathname(), $target, strip_tags($error)));
}
@chmod($target, 0666 & ~umask());
return $target;
}
throw new FileException($this->getErrorMessage());
}
/**
* Returns the maximum size of an uploaded file as configured in php.ini.
*
* @return int The maximum size of an uploaded file in bytes
*/
public static function getMaxFilesize()
{
$sizePostMax = self::parseFilesize(ini_get('post_max_size'));
$sizeUploadMax = self::parseFilesize(ini_get('upload_max_filesize'));
return min($sizePostMax ?: PHP_INT_MAX, $sizeUploadMax ?: PHP_INT_MAX);
}
/**
* Returns the given size from an ini value in bytes.
*
* @return int The given size in bytes
*/
private static function parseFilesize($size)
{
if ('' === $size) {
return 0;
}
$size = strtolower($size);
$max = ltrim($size, '+');
if (0 === strpos($max, '0x')) {
$max = \intval($max, 16);
} elseif (0 === strpos($max, '0')) {
$max = \intval($max, 8);
} else {
$max = (int) $max;
}
switch (substr($size, -1)) {
case 't': $max *= 1024;
// no break
case 'g': $max *= 1024;
// no break
case 'm': $max *= 1024;
// no break
case 'k': $max *= 1024;
}
return $max;
}
/**
* Returns an informative upload error message.
*
* @return string The error message regarding the specified error code
*/
public function getErrorMessage()
{
static $errors = [
UPLOAD_ERR_INI_SIZE => 'The file "%s" exceeds your upload_max_filesize ini directive (limit is %d KiB).',
UPLOAD_ERR_FORM_SIZE => 'The file "%s" exceeds the upload limit defined in your form.',
UPLOAD_ERR_PARTIAL => 'The file "%s" was only partially uploaded.',
UPLOAD_ERR_NO_FILE => 'No file was uploaded.',
UPLOAD_ERR_CANT_WRITE => 'The file "%s" could not be written on disk.',
UPLOAD_ERR_NO_TMP_DIR => 'File could not be uploaded: missing temporary directory.',
UPLOAD_ERR_EXTENSION => 'File upload was stopped by a PHP extension.',
];
$errorCode = $this->error;
$maxFilesize = UPLOAD_ERR_INI_SIZE === $errorCode ? self::getMaxFilesize() / 1024 : 0;
$message = isset($errors[$errorCode]) ? $errors[$errorCode] : 'The file "%s" was not uploaded due to an unknown error.';
return sprintf($message, $this->getClientOriginalName(), $maxFilesize);
}
}
http-foundation/File/error_log; 0000644 00000065170 14716422132 0012571 0 ustar 00 [22-Sep-2023 18:49:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[29-Sep-2023 12:42:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[29-Sep-2023 12:42:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[29-Sep-2023 15:59:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[29-Sep-2023 15:59:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[30-Sep-2023 17:51:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[30-Sep-2023 17:51:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[30-Sep-2023 19:19:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[30-Sep-2023 19:19:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[18-Nov-2023 05:37:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[21-Nov-2023 21:27:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[21-Nov-2023 21:27:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[22-Nov-2023 04:27:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[22-Nov-2023 04:27:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[22-Nov-2023 04:42:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[22-Nov-2023 04:42:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[23-Nov-2023 12:49:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[23-Nov-2023 12:49:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[28-Nov-2023 17:56:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[01-Jan-2024 03:24:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[15-Jan-2024 10:50:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[24-Jan-2024 22:29:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[16-Feb-2024 20:13:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[17-Feb-2024 16:41:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[05-Mar-2024 16:18:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[05-Mar-2024 16:29:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[16-Mar-2024 05:26:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[04-Apr-2024 23:05:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[08-Apr-2024 01:55:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[08-Apr-2024 01:58:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[23-Apr-2024 00:09:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[23-Apr-2024 20:27:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[04-May-2024 21:43:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[04-May-2024 21:44:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[05-May-2024 07:38:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[05-May-2024 07:38:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[05-May-2024 17:47:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[05-May-2024 17:48:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[07-May-2024 11:24:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[12-May-2024 14:40:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[13-May-2024 01:31:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[14-May-2024 05:19:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[14-May-2024 11:56:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[14-May-2024 11:56:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[19-May-2024 19:26:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[20-May-2024 16:50:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[20-May-2024 17:47:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[29-May-2024 15:34:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[01-Jun-2024 03:42:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[10-Jun-2024 02:01:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[13-Jun-2024 22:39:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[13-Jun-2024 22:40:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[15-Jun-2024 03:46:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[15-Jun-2024 06:36:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[18-Jun-2024 19:27:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[18-Jun-2024 19:28:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[19-Jun-2024 04:29:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[19-Jun-2024 04:29:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[19-Jun-2024 15:52:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[19-Jun-2024 15:52:33 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[21-Jun-2024 05:47:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[21-Jun-2024 07:39:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[21-Jun-2024 11:09:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[27-Jun-2024 08:18:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[27-Jun-2024 09:55:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[29-Jun-2024 07:08:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[07-Jul-2024 06:22:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[08-Jul-2024 07:43:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[09-Jul-2024 00:43:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[12-Jul-2024 19:50:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[12-Jul-2024 21:32:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[15-Jul-2024 01:29:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[18-Jul-2024 21:14:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[20-Jul-2024 23:34:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[22-Jul-2024 16:16:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[22-Jul-2024 16:17:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[26-Jul-2024 05:38:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[27-Jul-2024 12:25:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[02-Aug-2024 19:47:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[13-Aug-2024 21:59:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[14-Aug-2024 08:25:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[17-Aug-2024 04:40:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[17-Aug-2024 11:24:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[18-Aug-2024 17:10:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[23-Aug-2024 09:12:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[24-Aug-2024 06:00:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[29-Aug-2024 16:44:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[30-Aug-2024 10:43:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[30-Aug-2024 12:40:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[30-Aug-2024 12:41:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[30-Aug-2024 13:05:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[30-Aug-2024 13:06:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[01-Sep-2024 19:54:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[01-Sep-2024 19:55:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[04-Sep-2024 04:57:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[05-Sep-2024 03:52:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[10-Sep-2024 00:32:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[11-Sep-2024 19:48:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[11-Sep-2024 19:48:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[15-Sep-2024 11:14:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[15-Sep-2024 13:59:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[20-Sep-2024 03:32:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[20-Sep-2024 06:49:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[20-Sep-2024 10:37:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[20-Sep-2024 16:12:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[21-Sep-2024 16:08:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[21-Sep-2024 18:17:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[27-Sep-2024 12:09:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[27-Sep-2024 14:03:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[06-Oct-2024 14:26:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[07-Oct-2024 11:12:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[12-Oct-2024 02:48:26 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[20-Oct-2024 12:16:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[23-Oct-2024 20:21:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[23-Oct-2024 20:35:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[28-Oct-2024 15:51:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[29-Oct-2024 00:55:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[29-Oct-2024 00:56:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[31-Oct-2024 21:36:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[06-Nov-2024 11:39:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[06-Nov-2024 11:39:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[09-Nov-2024 01:10:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/UploadedFile.php on line 25
[09-Nov-2024 01:14:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
[10-Nov-2024 18:45:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\File' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Stream.php on line 19
http-foundation/File/File.php 0000644 00000010176 14716422132 0012145 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File;
use Symfony\Component\HttpFoundation\File\Exception\FileException;
use Symfony\Component\HttpFoundation\File\Exception\FileNotFoundException;
use Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesser;
use Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesser;
/**
* A file in the file system.
*
* @author Bernhard Schussek
*/
class File extends \SplFileInfo
{
/**
* Constructs a new file from the given path.
*
* @param string $path The path to the file
* @param bool $checkPath Whether to check the path or not
*
* @throws FileNotFoundException If the given path is not a file
*/
public function __construct($path, $checkPath = true)
{
if ($checkPath && !is_file($path)) {
throw new FileNotFoundException($path);
}
parent::__construct($path);
}
/**
* Returns the extension based on the mime type.
*
* If the mime type is unknown, returns null.
*
* This method uses the mime type as guessed by getMimeType()
* to guess the file extension.
*
* @return string|null The guessed extension or null if it cannot be guessed
*
* @see ExtensionGuesser
* @see getMimeType()
*/
public function guessExtension()
{
$type = $this->getMimeType();
$guesser = ExtensionGuesser::getInstance();
return $guesser->guess($type);
}
/**
* Returns the mime type of the file.
*
* The mime type is guessed using a MimeTypeGuesser instance, which uses finfo(),
* mime_content_type() and the system binary "file" (in this order), depending on
* which of those are available.
*
* @return string|null The guessed mime type (e.g. "application/pdf")
*
* @see MimeTypeGuesser
*/
public function getMimeType()
{
$guesser = MimeTypeGuesser::getInstance();
return $guesser->guess($this->getPathname());
}
/**
* Moves the file to a new location.
*
* @param string $directory The destination folder
* @param string $name The new file name
*
* @return self A File object representing the new file
*
* @throws FileException if the target file could not be created
*/
public function move($directory, $name = null)
{
$target = $this->getTargetFile($directory, $name);
set_error_handler(function ($type, $msg) use (&$error) { $error = $msg; });
$renamed = rename($this->getPathname(), $target);
restore_error_handler();
if (!$renamed) {
throw new FileException(sprintf('Could not move the file "%s" to "%s" (%s).', $this->getPathname(), $target, strip_tags($error)));
}
@chmod($target, 0666 & ~umask());
return $target;
}
protected function getTargetFile($directory, $name = null)
{
if (!is_dir($directory)) {
if (false === @mkdir($directory, 0777, true) && !is_dir($directory)) {
throw new FileException(sprintf('Unable to create the "%s" directory.', $directory));
}
} elseif (!is_writable($directory)) {
throw new FileException(sprintf('Unable to write in the "%s" directory.', $directory));
}
$target = rtrim($directory, '/\\').\DIRECTORY_SEPARATOR.(null === $name ? $this->getBasename() : $this->getName($name));
return new self($target, false);
}
/**
* Returns locale independent base name of the given path.
*
* @param string $name The new file name
*
* @return string containing
*/
protected function getName($name)
{
$originalName = str_replace('\\', '/', $name);
$pos = strrpos($originalName, '/');
$originalName = false === $pos ? $originalName : substr($originalName, $pos + 1);
return $originalName;
}
}
http-foundation/File/Exception/UploadException.php 0000644 00000000715 14716422132 0016325 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\Exception;
/**
* Thrown when an error occurred during file upload.
*
* @author Bernhard Schussek
*/
class UploadException extends FileException
{
}
http-foundation/File/Exception/AccessDeniedException.php 0000644 00000001234 14716422132 0017410 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\Exception;
/**
* Thrown when the access on a file was denied.
*
* @author Bernhard Schussek
*/
class AccessDeniedException extends FileException
{
/**
* @param string $path The path to the accessed file
*/
public function __construct($path)
{
parent::__construct(sprintf('The file %s could not be accessed', $path));
}
}
http-foundation/File/Exception/error_log; 0000644 00000142450 14716422132 0014524 0 ustar 00 [11-Sep-2023 12:13:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[23-Sep-2023 11:52:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[01-Oct-2023 04:28:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[01-Oct-2023 15:23:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[01-Oct-2023 15:23:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[01-Oct-2023 15:23:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[01-Oct-2023 15:23:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[01-Oct-2023 18:10:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[01-Oct-2023 18:10:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[01-Oct-2023 18:10:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[01-Oct-2023 18:10:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[06-Nov-2023 04:20:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[19-Nov-2023 13:26:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[24-Nov-2023 23:46:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[24-Nov-2023 23:46:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[24-Nov-2023 23:46:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[24-Nov-2023 23:46:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[25-Nov-2023 09:06:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[25-Nov-2023 09:06:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[25-Nov-2023 09:06:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[25-Nov-2023 09:06:17 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[26-Nov-2023 23:46:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[26-Nov-2023 23:46:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[26-Nov-2023 23:46:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[26-Nov-2023 23:46:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[27-Nov-2023 00:00:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[27-Nov-2023 00:01:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[27-Nov-2023 00:01:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[27-Nov-2023 00:01:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[27-Nov-2023 00:51:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[31-Dec-2023 02:47:47 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[02-Jan-2024 02:52:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[02-Jan-2024 16:29:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[04-Jan-2024 10:40:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[06-Jan-2024 04:23:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[16-Jan-2024 23:31:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[22-Feb-2024 01:33:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[22-Feb-2024 07:11:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[22-Feb-2024 11:19:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[23-Feb-2024 06:28:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[26-Feb-2024 13:02:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[26-Feb-2024 16:01:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[14-Mar-2024 07:56:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[16-Mar-2024 15:57:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[28-Apr-2024 09:05:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[29-Apr-2024 02:24:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[29-Apr-2024 17:48:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[30-Apr-2024 04:47:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[01-May-2024 17:58:09 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[03-May-2024 14:20:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[04-May-2024 23:40:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[04-May-2024 23:40:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[04-May-2024 23:41:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[05-May-2024 00:00:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[05-May-2024 09:36:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[05-May-2024 09:36:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[05-May-2024 09:36:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[05-May-2024 09:55:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[05-May-2024 19:34:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[05-May-2024 19:34:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[05-May-2024 19:34:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[05-May-2024 19:53:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[11-May-2024 21:45:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[14-May-2024 09:45:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[14-May-2024 14:28:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[14-May-2024 15:03:05 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[14-May-2024 15:03:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[14-May-2024 15:03:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[14-May-2024 15:23:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[14-May-2024 16:41:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[14-May-2024 19:00:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[14-May-2024 19:58:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[18-May-2024 15:27:35 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[27-May-2024 10:00:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[27-May-2024 10:08:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[05-Jun-2024 05:42:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[05-Jun-2024 10:12:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[05-Jun-2024 20:53:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[05-Jun-2024 21:10:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[06-Jun-2024 15:22:58 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[09-Jun-2024 07:32:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[09-Jun-2024 07:38:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[10-Jun-2024 06:47:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[13-Jun-2024 22:43:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[13-Jun-2024 22:43:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[13-Jun-2024 22:43:12 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[13-Jun-2024 22:44:20 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[15-Jun-2024 15:26:22 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[16-Jun-2024 02:15:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[16-Jun-2024 02:33:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[16-Jun-2024 02:45:50 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[16-Jun-2024 02:50:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[18-Jun-2024 20:08:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[18-Jun-2024 20:08:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[18-Jun-2024 20:08:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[18-Jun-2024 20:16:18 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[19-Jun-2024 05:09:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[19-Jun-2024 05:09:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[19-Jun-2024 05:09:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[19-Jun-2024 05:17:21 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[19-Jun-2024 16:32:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[19-Jun-2024 16:32:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[19-Jun-2024 16:32:57 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[19-Jun-2024 16:40:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[21-Jun-2024 00:40:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[27-Jun-2024 02:40:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[27-Jun-2024 11:03:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[08-Jul-2024 13:59:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[08-Jul-2024 21:55:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[09-Jul-2024 11:52:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[12-Jul-2024 13:17:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[13-Jul-2024 07:58:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[14-Jul-2024 09:17:39 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[14-Jul-2024 20:28:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[15-Jul-2024 08:27:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[21-Jul-2024 06:53:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[22-Jul-2024 18:10:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[22-Jul-2024 18:10:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[22-Jul-2024 18:10:48 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[22-Jul-2024 18:29:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[24-Jul-2024 22:27:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[27-Jul-2024 16:22:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[01-Aug-2024 21:19:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[01-Aug-2024 21:19:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[01-Aug-2024 21:37:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[01-Aug-2024 21:38:00 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[03-Aug-2024 05:36:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[15-Aug-2024 21:19:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[16-Aug-2024 10:34:24 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[18-Aug-2024 13:28:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[18-Aug-2024 23:21:38 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[19-Aug-2024 05:26:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[19-Aug-2024 12:28:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[19-Aug-2024 16:46:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[20-Aug-2024 07:52:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[20-Aug-2024 17:32:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[24-Aug-2024 17:57:04 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[25-Aug-2024 07:30:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[30-Aug-2024 17:11:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[30-Aug-2024 17:11:46 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[30-Aug-2024 17:11:54 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[30-Aug-2024 17:12:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[30-Aug-2024 17:12:10 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[30-Aug-2024 17:12:25 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[30-Aug-2024 17:32:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[30-Aug-2024 17:32:42 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[31-Aug-2024 07:05:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[31-Aug-2024 07:42:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[01-Sep-2024 21:51:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[01-Sep-2024 21:51:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[01-Sep-2024 21:51:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[01-Sep-2024 22:11:13 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[04-Sep-2024 13:23:23 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[04-Sep-2024 13:23:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[04-Sep-2024 14:50:37 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[04-Sep-2024 14:50:45 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[05-Sep-2024 09:06:56 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[09-Sep-2024 09:30:08 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[11-Sep-2024 21:42:28 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[11-Sep-2024 21:42:32 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[11-Sep-2024 21:42:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[11-Sep-2024 21:59:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[21-Sep-2024 13:25:14 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[26-Sep-2024 04:00:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[26-Sep-2024 08:33:34 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[26-Sep-2024 14:54:49 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[27-Sep-2024 06:57:53 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[01-Oct-2024 06:42:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[11-Oct-2024 23:59:19 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[12-Oct-2024 04:53:07 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[12-Oct-2024 04:53:16 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[12-Oct-2024 05:58:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[12-Oct-2024 06:01:02 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[23-Oct-2024 21:32:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[28-Oct-2024 23:03:41 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[29-Oct-2024 02:31:51 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[29-Oct-2024 02:31:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[29-Oct-2024 02:32:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[29-Oct-2024 02:36:06 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[29-Oct-2024 02:47:43 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[29-Oct-2024 11:08:52 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[29-Oct-2024 23:46:01 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[04-Nov-2024 23:26:44 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[05-Nov-2024 22:25:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[06-Nov-2024 13:21:27 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[06-Nov-2024 13:21:31 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[06-Nov-2024 13:21:40 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[06-Nov-2024 13:37:55 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[07-Nov-2024 00:11:29 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[07-Nov-2024 01:08:36 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
[11-Nov-2024 05:49:59 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UploadException.php on line 19
[11-Nov-2024 05:50:03 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/FileNotFoundException.php on line 19
[11-Nov-2024 05:50:11 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/AccessDeniedException.php on line 19
[11-Nov-2024 05:50:15 America/Fortaleza] PHP Fatal error: Class 'Symfony\Component\HttpFoundation\File\Exception\FileException' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/Exception/UnexpectedTypeException.php on line 14
http-foundation/File/Exception/FileException.php 0000644 00000000722 14716422132 0015756 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\Exception;
/**
* Thrown when an error occurred in the component File.
*
* @author Bernhard Schussek
*/
class FileException extends \RuntimeException
{
}
http-foundation/File/Exception/UnexpectedTypeException.php 0000644 00000001100 14716422132 0020034 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\Exception;
class UnexpectedTypeException extends FileException
{
public function __construct($value, $expectedType)
{
parent::__construct(sprintf('Expected argument of type %s, %s given', $expectedType, \is_object($value) ? \get_class($value) : \gettype($value)));
}
}
http-foundation/File/Exception/FileNotFoundException.php 0000644 00000001226 14716422132 0017433 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\Exception;
/**
* Thrown when a file was not found.
*
* @author Bernhard Schussek
*/
class FileNotFoundException extends FileException
{
/**
* @param string $path The path to the file that was not found
*/
public function __construct($path)
{
parent::__construct(sprintf('The file "%s" does not exist', $path));
}
}
http-foundation/File/MimeType/MimeTypeGuesser.php 0000644 00000007421 14716422132 0016105 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\MimeType;
use Symfony\Component\HttpFoundation\File\Exception\AccessDeniedException;
use Symfony\Component\HttpFoundation\File\Exception\FileNotFoundException;
/**
* A singleton mime type guesser.
*
* By default, all mime type guessers provided by the framework are installed
* (if available on the current OS/PHP setup).
*
* You can register custom guessers by calling the register() method on the
* singleton instance. Custom guessers are always called before any default ones.
*
* $guesser = MimeTypeGuesser::getInstance();
* $guesser->register(new MyCustomMimeTypeGuesser());
*
* If you want to change the order of the default guessers, just re-register your
* preferred one as a custom one. The last registered guesser is preferred over
* previously registered ones.
*
* Re-registering a built-in guesser also allows you to configure it:
*
* $guesser = MimeTypeGuesser::getInstance();
* $guesser->register(new FileinfoMimeTypeGuesser('/path/to/magic/file'));
*
* @author Bernhard Schussek
*/
class MimeTypeGuesser implements MimeTypeGuesserInterface
{
/**
* The singleton instance.
*
* @var MimeTypeGuesser
*/
private static $instance = null;
/**
* All registered MimeTypeGuesserInterface instances.
*
* @var array
*/
protected $guessers = [];
/**
* Returns the singleton instance.
*
* @return self
*/
public static function getInstance()
{
if (null === self::$instance) {
self::$instance = new self();
}
return self::$instance;
}
/**
* Resets the singleton instance.
*/
public static function reset()
{
self::$instance = null;
}
/**
* Registers all natively provided mime type guessers.
*/
private function __construct()
{
$this->register(new FileBinaryMimeTypeGuesser());
$this->register(new FileinfoMimeTypeGuesser());
}
/**
* Registers a new mime type guesser.
*
* When guessing, this guesser is preferred over previously registered ones.
*/
public function register(MimeTypeGuesserInterface $guesser)
{
array_unshift($this->guessers, $guesser);
}
/**
* Tries to guess the mime type of the given file.
*
* The file is passed to each registered mime type guesser in reverse order
* of their registration (last registered is queried first). Once a guesser
* returns a value that is not NULL, this method terminates and returns the
* value.
*
* @param string $path The path to the file
*
* @return string The mime type or NULL, if none could be guessed
*
* @throws \LogicException
* @throws FileNotFoundException
* @throws AccessDeniedException
*/
public function guess($path)
{
if (!is_file($path)) {
throw new FileNotFoundException($path);
}
if (!is_readable($path)) {
throw new AccessDeniedException($path);
}
foreach ($this->guessers as $guesser) {
if (null !== $mimeType = $guesser->guess($path)) {
return $mimeType;
}
}
if (2 === \count($this->guessers) && !FileBinaryMimeTypeGuesser::isSupported() && !FileinfoMimeTypeGuesser::isSupported()) {
throw new \LogicException('Unable to guess the mime type as no guessers are available (Did you enable the php_fileinfo extension?).');
}
return null;
}
}
http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php 0000644 00000004771 14716422132 0020057 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\MimeType;
use Symfony\Component\HttpFoundation\File\Exception\AccessDeniedException;
use Symfony\Component\HttpFoundation\File\Exception\FileNotFoundException;
/**
* Guesses the mime type with the binary "file" (only available on *nix).
*
* @author Bernhard Schussek
*/
class FileBinaryMimeTypeGuesser implements MimeTypeGuesserInterface
{
private $cmd;
/**
* The $cmd pattern must contain a "%s" string that will be replaced
* with the file name to guess.
*
* The command output must start with the mime type of the file.
*
* @param string $cmd The command to run to get the mime type of a file
*/
public function __construct($cmd = 'file -b --mime -- %s 2>/dev/null')
{
$this->cmd = $cmd;
}
/**
* Returns whether this guesser is supported on the current OS.
*
* @return bool
*/
public static function isSupported()
{
static $supported = null;
if (null !== $supported) {
return $supported;
}
if ('\\' === \DIRECTORY_SEPARATOR || !\function_exists('passthru') || !\function_exists('escapeshellarg')) {
return $supported = false;
}
ob_start();
passthru('command -v file', $exitStatus);
$binPath = trim(ob_get_clean());
return $supported = 0 === $exitStatus && '' !== $binPath;
}
/**
* {@inheritdoc}
*/
public function guess($path)
{
if (!is_file($path)) {
throw new FileNotFoundException($path);
}
if (!is_readable($path)) {
throw new AccessDeniedException($path);
}
if (!self::isSupported()) {
return null;
}
ob_start();
// need to use --mime instead of -i. see #6641
passthru(sprintf($this->cmd, escapeshellarg((0 === strpos($path, '-') ? './' : '').$path)), $return);
if ($return > 0) {
ob_end_clean();
return null;
}
$type = trim(ob_get_clean());
if (!preg_match('#^([a-z0-9\-]+/[a-z0-9\-\+\.]+)#i', $type, $match)) {
// it's not a type, but an error message
return null;
}
return $match[1];
}
}
http-foundation/File/MimeType/ExtensionGuesserInterface.php 0000644 00000001235 14716422132 0020146 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\MimeType;
/**
* Guesses the file extension corresponding to a given mime type.
*/
interface ExtensionGuesserInterface
{
/**
* Makes a best guess for a file extension, given a mime type.
*
* @param string $mimeType The mime type
*
* @return string The guessed extension or NULL, if none could be guessed
*/
public function guess($mimeType);
}
http-foundation/File/MimeType/error_log; 0000644 00000164142 14716422132 0014321 0 ustar 00 [11-Sep-2023 10:38:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[19-Sep-2023 22:06:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[21-Sep-2023 06:33:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[01-Oct-2023 15:23:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[01-Oct-2023 15:23:54 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[01-Oct-2023 15:23:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[01-Oct-2023 15:23:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[01-Oct-2023 15:23:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[01-Oct-2023 18:09:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[01-Oct-2023 18:09:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[01-Oct-2023 18:09:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[01-Oct-2023 18:09:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[01-Oct-2023 18:09:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[10-Oct-2023 13:05:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[18-Nov-2023 19:33:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[18-Nov-2023 23:00:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[25-Nov-2023 19:15:50 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[25-Nov-2023 19:15:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[25-Nov-2023 19:15:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[25-Nov-2023 19:15:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[25-Nov-2023 19:15:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[25-Nov-2023 20:52:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[25-Nov-2023 20:52:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[25-Nov-2023 20:52:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[25-Nov-2023 20:52:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[25-Nov-2023 20:52:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[26-Nov-2023 20:21:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[26-Nov-2023 21:44:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[26-Nov-2023 21:44:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[26-Nov-2023 21:45:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[26-Nov-2023 21:45:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[26-Nov-2023 21:45:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[27-Nov-2023 19:09:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[28-Nov-2023 12:10:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[28-Nov-2023 12:10:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[28-Nov-2023 12:10:36 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[28-Nov-2023 12:10:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[28-Nov-2023 12:10:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[31-Dec-2023 20:33:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[03-Jan-2024 19:01:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[05-Jan-2024 03:02:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[07-Jan-2024 00:22:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[25-Jan-2024 15:16:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[20-Feb-2024 09:42:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[20-Feb-2024 10:37:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[20-Feb-2024 16:21:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[20-Feb-2024 22:14:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[21-Feb-2024 01:52:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[01-Mar-2024 11:31:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[01-Mar-2024 22:35:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[02-Mar-2024 00:31:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[09-Mar-2024 09:54:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[10-Apr-2024 18:28:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[27-Apr-2024 04:44:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[28-Apr-2024 16:12:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[28-Apr-2024 16:21:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[29-Apr-2024 05:46:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[29-Apr-2024 06:00:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[03-May-2024 20:35:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[04-May-2024 08:06:25 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[04-May-2024 23:42:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[04-May-2024 23:42:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[04-May-2024 23:42:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[04-May-2024 23:42:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[05-May-2024 00:00:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[05-May-2024 09:38:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[05-May-2024 09:38:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[05-May-2024 09:38:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[05-May-2024 09:38:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[05-May-2024 09:56:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[05-May-2024 19:35:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[05-May-2024 19:35:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[05-May-2024 19:36:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[05-May-2024 19:36:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[05-May-2024 19:54:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[07-May-2024 01:01:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[09-May-2024 21:10:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[14-May-2024 15:12:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[14-May-2024 15:12:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[14-May-2024 15:12:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[14-May-2024 15:13:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[14-May-2024 15:25:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[14-May-2024 16:30:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[15-May-2024 02:24:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[15-May-2024 04:18:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[18-May-2024 16:03:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[18-May-2024 16:08:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[20-May-2024 22:17:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[03-Jun-2024 12:14:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[04-Jun-2024 20:13:04 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[04-Jun-2024 22:09:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[05-Jun-2024 01:30:40 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[05-Jun-2024 06:53:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[05-Jun-2024 07:42:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[10-Jun-2024 05:02:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[10-Jun-2024 14:47:29 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[10-Jun-2024 23:07:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[13-Jun-2024 22:43:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[13-Jun-2024 22:43:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[13-Jun-2024 22:44:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[13-Jun-2024 22:44:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[13-Jun-2024 22:44:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[15-Jun-2024 10:45:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[16-Jun-2024 02:07:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[16-Jun-2024 02:26:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[16-Jun-2024 02:44:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[16-Jun-2024 02:53:21 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[18-Jun-2024 05:44:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[18-Jun-2024 20:09:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[18-Jun-2024 20:09:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[18-Jun-2024 20:09:46 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[18-Jun-2024 20:09:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[18-Jun-2024 20:16:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[19-Jun-2024 05:10:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[19-Jun-2024 05:10:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[19-Jun-2024 05:10:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[19-Jun-2024 05:10:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[19-Jun-2024 05:17:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[19-Jun-2024 16:33:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[19-Jun-2024 16:33:49 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[19-Jun-2024 16:33:53 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[19-Jun-2024 16:34:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[19-Jun-2024 16:40:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[21-Jun-2024 09:14:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[28-Jun-2024 18:09:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[02-Jul-2024 09:46:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[10-Jul-2024 10:52:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[12-Jul-2024 13:04:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[13-Jul-2024 03:27:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[13-Jul-2024 05:23:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[13-Jul-2024 15:33:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[13-Jul-2024 20:11:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[14-Jul-2024 02:29:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[15-Jul-2024 02:37:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[15-Jul-2024 03:02:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[22-Jul-2024 18:11:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[22-Jul-2024 18:11:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[22-Jul-2024 18:12:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[22-Jul-2024 18:12:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[22-Jul-2024 18:30:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[23-Jul-2024 21:22:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[08-Aug-2024 19:06:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[15-Aug-2024 02:11:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[17-Aug-2024 22:16:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[19-Aug-2024 08:20:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[19-Aug-2024 09:24:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[19-Aug-2024 15:30:10 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[19-Aug-2024 18:05:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[19-Aug-2024 21:45:18 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[20-Aug-2024 01:02:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[20-Aug-2024 10:38:22 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[21-Aug-2024 01:19:38 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[22-Aug-2024 01:29:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[23-Aug-2024 20:42:03 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[24-Aug-2024 12:15:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[30-Aug-2024 00:21:31 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[30-Aug-2024 11:08:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[30-Aug-2024 17:31:58 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[30-Aug-2024 17:32:02 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[30-Aug-2024 17:32:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[01-Sep-2024 11:48:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[01-Sep-2024 21:53:01 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[01-Sep-2024 21:53:05 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[01-Sep-2024 21:53:09 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[01-Sep-2024 21:53:17 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[01-Sep-2024 22:11:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[02-Sep-2024 15:43:13 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[02-Sep-2024 15:50:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[02-Sep-2024 15:50:37 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[02-Sep-2024 15:50:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[02-Sep-2024 15:50:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[02-Sep-2024 16:08:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[02-Sep-2024 16:09:57 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[11-Sep-2024 21:43:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[11-Sep-2024 21:43:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[11-Sep-2024 21:43:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[11-Sep-2024 21:44:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[11-Sep-2024 22:00:00 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[15-Sep-2024 17:22:24 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[17-Sep-2024 04:09:34 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[26-Sep-2024 04:01:52 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[26-Sep-2024 08:12:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[26-Sep-2024 17:38:32 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[26-Sep-2024 22:12:28 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[26-Sep-2024 22:42:06 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[27-Sep-2024 05:44:15 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[27-Sep-2024 23:10:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[01-Oct-2024 21:15:11 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[04-Oct-2024 09:49:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[11-Oct-2024 18:15:45 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[12-Oct-2024 09:20:26 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[19-Oct-2024 00:52:12 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[20-Oct-2024 04:28:16 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[21-Oct-2024 17:32:41 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[29-Oct-2024 02:33:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[29-Oct-2024 02:33:23 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[29-Oct-2024 02:33:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[29-Oct-2024 02:33:35 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[29-Oct-2024 02:48:19 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[29-Oct-2024 18:11:14 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[04-Nov-2024 10:21:42 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[04-Nov-2024 23:33:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[05-Nov-2024 01:47:48 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[05-Nov-2024 02:38:20 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[05-Nov-2024 04:41:56 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[05-Nov-2024 23:53:33 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[06-Nov-2024 01:29:07 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[06-Nov-2024 13:22:51 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[06-Nov-2024 13:22:55 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[06-Nov-2024 13:22:59 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[06-Nov-2024 13:23:08 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[06-Nov-2024 13:38:27 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
[11-Nov-2024 07:36:39 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeGuesser.php on line 40
[11-Nov-2024 07:36:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php on line 22
[11-Nov-2024 07:36:47 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\MimeTypeGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/FileBinaryMimeTypeGuesser.php on line 22
[11-Nov-2024 07:37:44 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/ExtensionGuesser.php on line 26
[11-Nov-2024 07:41:43 America/Fortaleza] PHP Fatal error: Interface 'Symfony\Component\HttpFoundation\File\MimeType\ExtensionGuesserInterface' not found in /home/mgatv524/public_html/edurocha/vendor/symfony/http-foundation/File/MimeType/MimeTypeExtensionGuesser.php on line 17
http-foundation/File/MimeType/MimeTypeGuesserInterface.php 0000644 00000001714 14716422132 0017725 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\MimeType;
use Symfony\Component\HttpFoundation\File\Exception\AccessDeniedException;
use Symfony\Component\HttpFoundation\File\Exception\FileNotFoundException;
/**
* Guesses the mime type of a file.
*
* @author Bernhard Schussek
*/
interface MimeTypeGuesserInterface
{
/**
* Guesses the mime type of the file with the given path.
*
* @param string $path The path to the file
*
* @return string|null The mime type or NULL, if none could be guessed
*
* @throws FileNotFoundException If the file does not exist
* @throws AccessDeniedException If the file could not be read
*/
public function guess($path);
}
http-foundation/File/MimeType/ExtensionGuesser.php 0000644 00000004563 14716422132 0016334 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\MimeType;
/**
* A singleton mime type to file extension guesser.
*
* A default guesser is provided.
* You can register custom guessers by calling the register()
* method on the singleton instance:
*
* $guesser = ExtensionGuesser::getInstance();
* $guesser->register(new MyCustomExtensionGuesser());
*
* The last registered guesser is preferred over previously registered ones.
*/
class ExtensionGuesser implements ExtensionGuesserInterface
{
/**
* The singleton instance.
*
* @var ExtensionGuesser
*/
private static $instance = null;
/**
* All registered ExtensionGuesserInterface instances.
*
* @var array
*/
protected $guessers = [];
/**
* Returns the singleton instance.
*
* @return self
*/
public static function getInstance()
{
if (null === self::$instance) {
self::$instance = new self();
}
return self::$instance;
}
/**
* Registers all natively provided extension guessers.
*/
private function __construct()
{
$this->register(new MimeTypeExtensionGuesser());
}
/**
* Registers a new extension guesser.
*
* When guessing, this guesser is preferred over previously registered ones.
*/
public function register(ExtensionGuesserInterface $guesser)
{
array_unshift($this->guessers, $guesser);
}
/**
* Tries to guess the extension.
*
* The mime type is passed to each registered mime type guesser in reverse order
* of their registration (last registered is queried first). Once a guesser
* returns a value that is not NULL, this method terminates and returns the
* value.
*
* @param string $mimeType The mime type
*
* @return string The guessed extension or NULL, if none could be guessed
*/
public function guess($mimeType)
{
foreach ($this->guessers as $guesser) {
if (null !== $extension = $guesser->guess($mimeType)) {
return $extension;
}
}
return null;
}
}
http-foundation/File/MimeType/MimeTypeExtensionGuesser.php 0000644 00000110053 14716422132 0017776 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\MimeType;
/**
* Provides a best-guess mapping of mime type to file extension.
*/
class MimeTypeExtensionGuesser implements ExtensionGuesserInterface
{
/**
* A map of mime types and their default extensions.
*
* This list has been placed under the public domain by the Apache HTTPD project.
* This list has been updated from upstream on 2019-01-14.
*
* @see https://svn.apache.org/repos/asf/httpd/httpd/trunk/docs/conf/mime.types
*/
protected $defaultExtensions = [
'application/andrew-inset' => 'ez',
'application/applixware' => 'aw',
'application/atom+xml' => 'atom',
'application/atomcat+xml' => 'atomcat',
'application/atomsvc+xml' => 'atomsvc',
'application/ccxml+xml' => 'ccxml',
'application/cdmi-capability' => 'cdmia',
'application/cdmi-container' => 'cdmic',
'application/cdmi-domain' => 'cdmid',
'application/cdmi-object' => 'cdmio',
'application/cdmi-queue' => 'cdmiq',
'application/cu-seeme' => 'cu',
'application/davmount+xml' => 'davmount',
'application/docbook+xml' => 'dbk',
'application/dssc+der' => 'dssc',
'application/dssc+xml' => 'xdssc',
'application/ecmascript' => 'ecma',
'application/emma+xml' => 'emma',
'application/epub+zip' => 'epub',
'application/exi' => 'exi',
'application/font-tdpfr' => 'pfr',
'application/gml+xml' => 'gml',
'application/gpx+xml' => 'gpx',
'application/gxf' => 'gxf',
'application/hyperstudio' => 'stk',
'application/inkml+xml' => 'ink',
'application/ipfix' => 'ipfix',
'application/java-archive' => 'jar',
'application/java-serialized-object' => 'ser',
'application/java-vm' => 'class',
'application/javascript' => 'js',
'application/json' => 'json',
'application/jsonml+json' => 'jsonml',
'application/lost+xml' => 'lostxml',
'application/mac-binhex40' => 'hqx',
'application/mac-compactpro' => 'cpt',
'application/mads+xml' => 'mads',
'application/marc' => 'mrc',
'application/marcxml+xml' => 'mrcx',
'application/mathematica' => 'ma',
'application/mathml+xml' => 'mathml',
'application/mbox' => 'mbox',
'application/mediaservercontrol+xml' => 'mscml',
'application/metalink+xml' => 'metalink',
'application/metalink4+xml' => 'meta4',
'application/mets+xml' => 'mets',
'application/mods+xml' => 'mods',
'application/mp21' => 'm21',
'application/mp4' => 'mp4s',
'application/msword' => 'doc',
'application/mxf' => 'mxf',
'application/octet-stream' => 'bin',
'application/oda' => 'oda',
'application/oebps-package+xml' => 'opf',
'application/ogg' => 'ogx',
'application/omdoc+xml' => 'omdoc',
'application/onenote' => 'onetoc',
'application/oxps' => 'oxps',
'application/patch-ops-error+xml' => 'xer',
'application/pdf' => 'pdf',
'application/pgp-encrypted' => 'pgp',
'application/pgp-signature' => 'asc',
'application/pics-rules' => 'prf',
'application/pkcs10' => 'p10',
'application/pkcs7-mime' => 'p7m',
'application/pkcs7-signature' => 'p7s',
'application/pkcs8' => 'p8',
'application/pkix-attr-cert' => 'ac',
'application/pkix-cert' => 'cer',
'application/pkix-crl' => 'crl',
'application/pkix-pkipath' => 'pkipath',
'application/pkixcmp' => 'pki',
'application/pls+xml' => 'pls',
'application/postscript' => 'ai',
'application/prs.cww' => 'cww',
'application/pskc+xml' => 'pskcxml',
'application/rdf+xml' => 'rdf',
'application/reginfo+xml' => 'rif',
'application/relax-ng-compact-syntax' => 'rnc',
'application/resource-lists+xml' => 'rl',
'application/resource-lists-diff+xml' => 'rld',
'application/rls-services+xml' => 'rs',
'application/rpki-ghostbusters' => 'gbr',
'application/rpki-manifest' => 'mft',
'application/rpki-roa' => 'roa',
'application/rsd+xml' => 'rsd',
'application/rss+xml' => 'rss',
'application/rtf' => 'rtf',
'application/sbml+xml' => 'sbml',
'application/scvp-cv-request' => 'scq',
'application/scvp-cv-response' => 'scs',
'application/scvp-vp-request' => 'spq',
'application/scvp-vp-response' => 'spp',
'application/sdp' => 'sdp',
'application/set-payment-initiation' => 'setpay',
'application/set-registration-initiation' => 'setreg',
'application/shf+xml' => 'shf',
'application/smil+xml' => 'smi',
'application/sparql-query' => 'rq',
'application/sparql-results+xml' => 'srx',
'application/srgs' => 'gram',
'application/srgs+xml' => 'grxml',
'application/sru+xml' => 'sru',
'application/ssdl+xml' => 'ssdl',
'application/ssml+xml' => 'ssml',
'application/tei+xml' => 'tei',
'application/thraud+xml' => 'tfi',
'application/timestamped-data' => 'tsd',
'application/vnd.3gpp.pic-bw-large' => 'plb',
'application/vnd.3gpp.pic-bw-small' => 'psb',
'application/vnd.3gpp.pic-bw-var' => 'pvb',
'application/vnd.3gpp2.tcap' => 'tcap',
'application/vnd.3m.post-it-notes' => 'pwn',
'application/vnd.accpac.simply.aso' => 'aso',
'application/vnd.accpac.simply.imp' => 'imp',
'application/vnd.acucobol' => 'acu',
'application/vnd.acucorp' => 'atc',
'application/vnd.adobe.air-application-installer-package+zip' => 'air',
'application/vnd.adobe.formscentral.fcdt' => 'fcdt',
'application/vnd.adobe.fxp' => 'fxp',
'application/vnd.adobe.xdp+xml' => 'xdp',
'application/vnd.adobe.xfdf' => 'xfdf',
'application/vnd.ahead.space' => 'ahead',
'application/vnd.airzip.filesecure.azf' => 'azf',
'application/vnd.airzip.filesecure.azs' => 'azs',
'application/vnd.amazon.ebook' => 'azw',
'application/vnd.americandynamics.acc' => 'acc',
'application/vnd.amiga.ami' => 'ami',
'application/vnd.android.package-archive' => 'apk',
'application/vnd.anser-web-certificate-issue-initiation' => 'cii',
'application/vnd.anser-web-funds-transfer-initiation' => 'fti',
'application/vnd.antix.game-component' => 'atx',
'application/vnd.apple.installer+xml' => 'mpkg',
'application/vnd.apple.mpegurl' => 'm3u8',
'application/vnd.aristanetworks.swi' => 'swi',
'application/vnd.astraea-software.iota' => 'iota',
'application/vnd.audiograph' => 'aep',
'application/vnd.blueice.multipass' => 'mpm',
'application/vnd.bmi' => 'bmi',
'application/vnd.businessobjects' => 'rep',
'application/vnd.chemdraw+xml' => 'cdxml',
'application/vnd.chipnuts.karaoke-mmd' => 'mmd',
'application/vnd.cinderella' => 'cdy',
'application/vnd.claymore' => 'cla',
'application/vnd.cloanto.rp9' => 'rp9',
'application/vnd.clonk.c4group' => 'c4g',
'application/vnd.cluetrust.cartomobile-config' => 'c11amc',
'application/vnd.cluetrust.cartomobile-config-pkg' => 'c11amz',
'application/vnd.commonspace' => 'csp',
'application/vnd.contact.cmsg' => 'cdbcmsg',
'application/vnd.cosmocaller' => 'cmc',
'application/vnd.crick.clicker' => 'clkx',
'application/vnd.crick.clicker.keyboard' => 'clkk',
'application/vnd.crick.clicker.palette' => 'clkp',
'application/vnd.crick.clicker.template' => 'clkt',
'application/vnd.crick.clicker.wordbank' => 'clkw',
'application/vnd.criticaltools.wbs+xml' => 'wbs',
'application/vnd.ctc-posml' => 'pml',
'application/vnd.cups-ppd' => 'ppd',
'application/vnd.curl.car' => 'car',
'application/vnd.curl.pcurl' => 'pcurl',
'application/vnd.dart' => 'dart',
'application/vnd.data-vision.rdz' => 'rdz',
'application/vnd.dece.data' => 'uvf',
'application/vnd.dece.ttml+xml' => 'uvt',
'application/vnd.dece.unspecified' => 'uvx',
'application/vnd.dece.zip' => 'uvz',
'application/vnd.denovo.fcselayout-link' => 'fe_launch',
'application/vnd.dna' => 'dna',
'application/vnd.dolby.mlp' => 'mlp',
'application/vnd.dpgraph' => 'dpg',
'application/vnd.dreamfactory' => 'dfac',
'application/vnd.ds-keypoint' => 'kpxx',
'application/vnd.dvb.ait' => 'ait',
'application/vnd.dvb.service' => 'svc',
'application/vnd.dynageo' => 'geo',
'application/vnd.ecowin.chart' => 'mag',
'application/vnd.enliven' => 'nml',
'application/vnd.epson.esf' => 'esf',
'application/vnd.epson.msf' => 'msf',
'application/vnd.epson.quickanime' => 'qam',
'application/vnd.epson.salt' => 'slt',
'application/vnd.epson.ssf' => 'ssf',
'application/vnd.eszigno3+xml' => 'es3',
'application/vnd.ezpix-album' => 'ez2',
'application/vnd.ezpix-package' => 'ez3',
'application/vnd.fdf' => 'fdf',
'application/vnd.fdsn.mseed' => 'mseed',
'application/vnd.fdsn.seed' => 'seed',
'application/vnd.flographit' => 'gph',
'application/vnd.fluxtime.clip' => 'ftc',
'application/vnd.framemaker' => 'fm',
'application/vnd.frogans.fnc' => 'fnc',
'application/vnd.frogans.ltf' => 'ltf',
'application/vnd.fsc.weblaunch' => 'fsc',
'application/vnd.fujitsu.oasys' => 'oas',
'application/vnd.fujitsu.oasys2' => 'oa2',
'application/vnd.fujitsu.oasys3' => 'oa3',
'application/vnd.fujitsu.oasysgp' => 'fg5',
'application/vnd.fujitsu.oasysprs' => 'bh2',
'application/vnd.fujixerox.ddd' => 'ddd',
'application/vnd.fujixerox.docuworks' => 'xdw',
'application/vnd.fujixerox.docuworks.binder' => 'xbd',
'application/vnd.fuzzysheet' => 'fzs',
'application/vnd.genomatix.tuxedo' => 'txd',
'application/vnd.geogebra.file' => 'ggb',
'application/vnd.geogebra.tool' => 'ggt',
'application/vnd.geometry-explorer' => 'gex',
'application/vnd.geonext' => 'gxt',
'application/vnd.geoplan' => 'g2w',
'application/vnd.geospace' => 'g3w',
'application/vnd.gmx' => 'gmx',
'application/vnd.google-earth.kml+xml' => 'kml',
'application/vnd.google-earth.kmz' => 'kmz',
'application/vnd.grafeq' => 'gqf',
'application/vnd.groove-account' => 'gac',
'application/vnd.groove-help' => 'ghf',
'application/vnd.groove-identity-message' => 'gim',
'application/vnd.groove-injector' => 'grv',
'application/vnd.groove-tool-message' => 'gtm',
'application/vnd.groove-tool-template' => 'tpl',
'application/vnd.groove-vcard' => 'vcg',
'application/vnd.hal+xml' => 'hal',
'application/vnd.handheld-entertainment+xml' => 'zmm',
'application/vnd.hbci' => 'hbci',
'application/vnd.hhe.lesson-player' => 'les',
'application/vnd.hp-hpgl' => 'hpgl',
'application/vnd.hp-hpid' => 'hpid',
'application/vnd.hp-hps' => 'hps',
'application/vnd.hp-jlyt' => 'jlt',
'application/vnd.hp-pcl' => 'pcl',
'application/vnd.hp-pclxl' => 'pclxl',
'application/vnd.hydrostatix.sof-data' => 'sfd-hdstx',
'application/vnd.ibm.minipay' => 'mpy',
'application/vnd.ibm.modcap' => 'afp',
'application/vnd.ibm.rights-management' => 'irm',
'application/vnd.ibm.secure-container' => 'sc',
'application/vnd.iccprofile' => 'icc',
'application/vnd.igloader' => 'igl',
'application/vnd.immervision-ivp' => 'ivp',
'application/vnd.immervision-ivu' => 'ivu',
'application/vnd.insors.igm' => 'igm',
'application/vnd.intercon.formnet' => 'xpw',
'application/vnd.intergeo' => 'i2g',
'application/vnd.intu.qbo' => 'qbo',
'application/vnd.intu.qfx' => 'qfx',
'application/vnd.ipunplugged.rcprofile' => 'rcprofile',
'application/vnd.irepository.package+xml' => 'irp',
'application/vnd.is-xpr' => 'xpr',
'application/vnd.isac.fcs' => 'fcs',
'application/vnd.jam' => 'jam',
'application/vnd.jcp.javame.midlet-rms' => 'rms',
'application/vnd.jisp' => 'jisp',
'application/vnd.joost.joda-archive' => 'joda',
'application/vnd.kahootz' => 'ktz',
'application/vnd.kde.karbon' => 'karbon',
'application/vnd.kde.kchart' => 'chrt',
'application/vnd.kde.kformula' => 'kfo',
'application/vnd.kde.kivio' => 'flw',
'application/vnd.kde.kontour' => 'kon',
'application/vnd.kde.kpresenter' => 'kpr',
'application/vnd.kde.kspread' => 'ksp',
'application/vnd.kde.kword' => 'kwd',
'application/vnd.kenameaapp' => 'htke',
'application/vnd.kidspiration' => 'kia',
'application/vnd.kinar' => 'kne',
'application/vnd.koan' => 'skp',
'application/vnd.kodak-descriptor' => 'sse',
'application/vnd.las.las+xml' => 'lasxml',
'application/vnd.llamagraphics.life-balance.desktop' => 'lbd',
'application/vnd.llamagraphics.life-balance.exchange+xml' => 'lbe',
'application/vnd.lotus-1-2-3' => '123',
'application/vnd.lotus-approach' => 'apr',
'application/vnd.lotus-freelance' => 'pre',
'application/vnd.lotus-notes' => 'nsf',
'application/vnd.lotus-organizer' => 'org',
'application/vnd.lotus-screencam' => 'scm',
'application/vnd.lotus-wordpro' => 'lwp',
'application/vnd.macports.portpkg' => 'portpkg',
'application/vnd.mcd' => 'mcd',
'application/vnd.medcalcdata' => 'mc1',
'application/vnd.mediastation.cdkey' => 'cdkey',
'application/vnd.mfer' => 'mwf',
'application/vnd.mfmp' => 'mfm',
'application/vnd.micrografx.flo' => 'flo',
'application/vnd.micrografx.igx' => 'igx',
'application/vnd.mif' => 'mif',
'application/vnd.mobius.daf' => 'daf',
'application/vnd.mobius.dis' => 'dis',
'application/vnd.mobius.mbk' => 'mbk',
'application/vnd.mobius.mqy' => 'mqy',
'application/vnd.mobius.msl' => 'msl',
'application/vnd.mobius.plc' => 'plc',
'application/vnd.mobius.txf' => 'txf',
'application/vnd.mophun.application' => 'mpn',
'application/vnd.mophun.certificate' => 'mpc',
'application/vnd.mozilla.xul+xml' => 'xul',
'application/vnd.ms-artgalry' => 'cil',
'application/vnd.ms-cab-compressed' => 'cab',
'application/vnd.ms-excel' => 'xls',
'application/vnd.ms-excel.addin.macroenabled.12' => 'xlam',
'application/vnd.ms-excel.sheet.binary.macroenabled.12' => 'xlsb',
'application/vnd.ms-excel.sheet.macroenabled.12' => 'xlsm',
'application/vnd.ms-excel.template.macroenabled.12' => 'xltm',
'application/vnd.ms-fontobject' => 'eot',
'application/vnd.ms-htmlhelp' => 'chm',
'application/vnd.ms-ims' => 'ims',
'application/vnd.ms-lrm' => 'lrm',
'application/vnd.ms-officetheme' => 'thmx',
'application/vnd.ms-pki.seccat' => 'cat',
'application/vnd.ms-pki.stl' => 'stl',
'application/vnd.ms-powerpoint' => 'ppt',
'application/vnd.ms-powerpoint.addin.macroenabled.12' => 'ppam',
'application/vnd.ms-powerpoint.presentation.macroenabled.12' => 'pptm',
'application/vnd.ms-powerpoint.slide.macroenabled.12' => 'sldm',
'application/vnd.ms-powerpoint.slideshow.macroenabled.12' => 'ppsm',
'application/vnd.ms-powerpoint.template.macroenabled.12' => 'potm',
'application/vnd.ms-project' => 'mpp',
'application/vnd.ms-word.document.macroenabled.12' => 'docm',
'application/vnd.ms-word.template.macroenabled.12' => 'dotm',
'application/vnd.ms-works' => 'wps',
'application/vnd.ms-wpl' => 'wpl',
'application/vnd.ms-xpsdocument' => 'xps',
'application/vnd.mseq' => 'mseq',
'application/vnd.musician' => 'mus',
'application/vnd.muvee.style' => 'msty',
'application/vnd.mynfc' => 'taglet',
'application/vnd.neurolanguage.nlu' => 'nlu',
'application/vnd.nitf' => 'ntf',
'application/vnd.noblenet-directory' => 'nnd',
'application/vnd.noblenet-sealer' => 'nns',
'application/vnd.noblenet-web' => 'nnw',
'application/vnd.nokia.n-gage.data' => 'ngdat',
'application/vnd.nokia.n-gage.symbian.install' => 'n-gage',
'application/vnd.nokia.radio-preset' => 'rpst',
'application/vnd.nokia.radio-presets' => 'rpss',
'application/vnd.novadigm.edm' => 'edm',
'application/vnd.novadigm.edx' => 'edx',
'application/vnd.novadigm.ext' => 'ext',
'application/vnd.oasis.opendocument.chart' => 'odc',
'application/vnd.oasis.opendocument.chart-template' => 'otc',
'application/vnd.oasis.opendocument.database' => 'odb',
'application/vnd.oasis.opendocument.formula' => 'odf',
'application/vnd.oasis.opendocument.formula-template' => 'odft',
'application/vnd.oasis.opendocument.graphics' => 'odg',
'application/vnd.oasis.opendocument.graphics-template' => 'otg',
'application/vnd.oasis.opendocument.image' => 'odi',
'application/vnd.oasis.opendocument.image-template' => 'oti',
'application/vnd.oasis.opendocument.presentation' => 'odp',
'application/vnd.oasis.opendocument.presentation-template' => 'otp',
'application/vnd.oasis.opendocument.spreadsheet' => 'ods',
'application/vnd.oasis.opendocument.spreadsheet-template' => 'ots',
'application/vnd.oasis.opendocument.text' => 'odt',
'application/vnd.oasis.opendocument.text-master' => 'odm',
'application/vnd.oasis.opendocument.text-template' => 'ott',
'application/vnd.oasis.opendocument.text-web' => 'oth',
'application/vnd.olpc-sugar' => 'xo',
'application/vnd.oma.dd2+xml' => 'dd2',
'application/vnd.openofficeorg.extension' => 'oxt',
'application/vnd.openxmlformats-officedocument.presentationml.presentation' => 'pptx',
'application/vnd.openxmlformats-officedocument.presentationml.slide' => 'sldx',
'application/vnd.openxmlformats-officedocument.presentationml.slideshow' => 'ppsx',
'application/vnd.openxmlformats-officedocument.presentationml.template' => 'potx',
'application/vnd.openxmlformats-officedocument.spreadsheetml.sheet' => 'xlsx',
'application/vnd.openxmlformats-officedocument.spreadsheetml.template' => 'xltx',
'application/vnd.openxmlformats-officedocument.wordprocessingml.document' => 'docx',
'application/vnd.openxmlformats-officedocument.wordprocessingml.template' => 'dotx',
'application/vnd.osgeo.mapguide.package' => 'mgp',
'application/vnd.osgi.dp' => 'dp',
'application/vnd.osgi.subsystem' => 'esa',
'application/vnd.palm' => 'pdb',
'application/vnd.pawaafile' => 'paw',
'application/vnd.pg.format' => 'str',
'application/vnd.pg.osasli' => 'ei6',
'application/vnd.picsel' => 'efif',
'application/vnd.pmi.widget' => 'wg',
'application/vnd.pocketlearn' => 'plf',
'application/vnd.powerbuilder6' => 'pbd',
'application/vnd.previewsystems.box' => 'box',
'application/vnd.proteus.magazine' => 'mgz',
'application/vnd.publishare-delta-tree' => 'qps',
'application/vnd.pvi.ptid1' => 'ptid',
'application/vnd.quark.quarkxpress' => 'qxd',
'application/vnd.realvnc.bed' => 'bed',
'application/vnd.recordare.musicxml' => 'mxl',
'application/vnd.recordare.musicxml+xml' => 'musicxml',
'application/vnd.rig.cryptonote' => 'cryptonote',
'application/vnd.rim.cod' => 'cod',
'application/vnd.rn-realmedia' => 'rm',
'application/vnd.rn-realmedia-vbr' => 'rmvb',
'application/vnd.route66.link66+xml' => 'link66',
'application/vnd.sailingtracker.track' => 'st',
'application/vnd.seemail' => 'see',
'application/vnd.sema' => 'sema',
'application/vnd.semd' => 'semd',
'application/vnd.semf' => 'semf',
'application/vnd.shana.informed.formdata' => 'ifm',
'application/vnd.shana.informed.formtemplate' => 'itp',
'application/vnd.shana.informed.interchange' => 'iif',
'application/vnd.shana.informed.package' => 'ipk',
'application/vnd.simtech-mindmapper' => 'twd',
'application/vnd.smaf' => 'mmf',
'application/vnd.smart.teacher' => 'teacher',
'application/vnd.solent.sdkm+xml' => 'sdkm',
'application/vnd.spotfire.dxp' => 'dxp',
'application/vnd.spotfire.sfs' => 'sfs',
'application/vnd.stardivision.calc' => 'sdc',
'application/vnd.stardivision.draw' => 'sda',
'application/vnd.stardivision.impress' => 'sdd',
'application/vnd.stardivision.math' => 'smf',
'application/vnd.stardivision.writer' => 'sdw',
'application/vnd.stardivision.writer-global' => 'sgl',
'application/vnd.stepmania.package' => 'smzip',
'application/vnd.stepmania.stepchart' => 'sm',
'application/vnd.sun.xml.calc' => 'sxc',
'application/vnd.sun.xml.calc.template' => 'stc',
'application/vnd.sun.xml.draw' => 'sxd',
'application/vnd.sun.xml.draw.template' => 'std',
'application/vnd.sun.xml.impress' => 'sxi',
'application/vnd.sun.xml.impress.template' => 'sti',
'application/vnd.sun.xml.math' => 'sxm',
'application/vnd.sun.xml.writer' => 'sxw',
'application/vnd.sun.xml.writer.global' => 'sxg',
'application/vnd.sun.xml.writer.template' => 'stw',
'application/vnd.sus-calendar' => 'sus',
'application/vnd.svd' => 'svd',
'application/vnd.symbian.install' => 'sis',
'application/vnd.syncml+xml' => 'xsm',
'application/vnd.syncml.dm+wbxml' => 'bdm',
'application/vnd.syncml.dm+xml' => 'xdm',
'application/vnd.tao.intent-module-archive' => 'tao',
'application/vnd.tcpdump.pcap' => 'pcap',
'application/vnd.tmobile-livetv' => 'tmo',
'application/vnd.trid.tpt' => 'tpt',
'application/vnd.triscape.mxs' => 'mxs',
'application/vnd.trueapp' => 'tra',
'application/vnd.ufdl' => 'ufd',
'application/vnd.uiq.theme' => 'utz',
'application/vnd.umajin' => 'umj',
'application/vnd.unity' => 'unityweb',
'application/vnd.uoml+xml' => 'uoml',
'application/vnd.vcx' => 'vcx',
'application/vnd.visio' => 'vsd',
'application/vnd.visionary' => 'vis',
'application/vnd.vsf' => 'vsf',
'application/vnd.wap.wbxml' => 'wbxml',
'application/vnd.wap.wmlc' => 'wmlc',
'application/vnd.wap.wmlscriptc' => 'wmlsc',
'application/vnd.webturbo' => 'wtb',
'application/vnd.wolfram.player' => 'nbp',
'application/vnd.wordperfect' => 'wpd',
'application/vnd.wqd' => 'wqd',
'application/vnd.wt.stf' => 'stf',
'application/vnd.xara' => 'xar',
'application/vnd.xfdl' => 'xfdl',
'application/vnd.yamaha.hv-dic' => 'hvd',
'application/vnd.yamaha.hv-script' => 'hvs',
'application/vnd.yamaha.hv-voice' => 'hvp',
'application/vnd.yamaha.openscoreformat' => 'osf',
'application/vnd.yamaha.openscoreformat.osfpvg+xml' => 'osfpvg',
'application/vnd.yamaha.smaf-audio' => 'saf',
'application/vnd.yamaha.smaf-phrase' => 'spf',
'application/vnd.yellowriver-custom-menu' => 'cmp',
'application/vnd.zul' => 'zir',
'application/vnd.zzazz.deck+xml' => 'zaz',
'application/voicexml+xml' => 'vxml',
'application/widget' => 'wgt',
'application/winhlp' => 'hlp',
'application/wsdl+xml' => 'wsdl',
'application/wspolicy+xml' => 'wspolicy',
'application/x-7z-compressed' => '7z',
'application/x-abiword' => 'abw',
'application/x-ace-compressed' => 'ace',
'application/x-apple-diskimage' => 'dmg',
'application/x-authorware-bin' => 'aab',
'application/x-authorware-map' => 'aam',
'application/x-authorware-seg' => 'aas',
'application/x-bcpio' => 'bcpio',
'application/x-bittorrent' => 'torrent',
'application/x-blorb' => 'blb',
'application/x-bzip' => 'bz',
'application/x-bzip2' => 'bz2',
'application/x-cbr' => 'cbr',
'application/x-cdlink' => 'vcd',
'application/x-cfs-compressed' => 'cfs',
'application/x-chat' => 'chat',
'application/x-chess-pgn' => 'pgn',
'application/x-conference' => 'nsc',
'application/x-cpio' => 'cpio',
'application/x-csh' => 'csh',
'application/x-debian-package' => 'deb',
'application/x-dgc-compressed' => 'dgc',
'application/x-director' => 'dir',
'application/x-doom' => 'wad',
'application/x-dtbncx+xml' => 'ncx',
'application/x-dtbook+xml' => 'dtb',
'application/x-dtbresource+xml' => 'res',
'application/x-dvi' => 'dvi',
'application/x-envoy' => 'evy',
'application/x-eva' => 'eva',
'application/x-font-bdf' => 'bdf',
'application/x-font-ghostscript' => 'gsf',
'application/x-font-linux-psf' => 'psf',
'application/x-font-otf' => 'otf',
'application/x-font-pcf' => 'pcf',
'application/x-font-snf' => 'snf',
'application/x-font-ttf' => 'ttf',
'application/x-font-type1' => 'pfa',
'application/x-font-woff' => 'woff',
'application/x-freearc' => 'arc',
'application/x-futuresplash' => 'spl',
'application/x-gca-compressed' => 'gca',
'application/x-glulx' => 'ulx',
'application/x-gnumeric' => 'gnumeric',
'application/x-gramps-xml' => 'gramps',
'application/x-gtar' => 'gtar',
'application/x-hdf' => 'hdf',
'application/x-install-instructions' => 'install',
'application/x-iso9660-image' => 'iso',
'application/x-java-jnlp-file' => 'jnlp',
'application/x-latex' => 'latex',
'application/x-lzh-compressed' => 'lzh',
'application/x-mie' => 'mie',
'application/x-mobipocket-ebook' => 'prc',
'application/x-ms-application' => 'application',
'application/x-ms-shortcut' => 'lnk',
'application/x-ms-wmd' => 'wmd',
'application/x-ms-wmz' => 'wmz',
'application/x-ms-xbap' => 'xbap',
'application/x-msaccess' => 'mdb',
'application/x-msbinder' => 'obd',
'application/x-mscardfile' => 'crd',
'application/x-msclip' => 'clp',
'application/x-msdownload' => 'exe',
'application/x-msmediaview' => 'mvb',
'application/x-msmetafile' => 'wmf',
'application/x-msmoney' => 'mny',
'application/x-mspublisher' => 'pub',
'application/x-msschedule' => 'scd',
'application/x-msterminal' => 'trm',
'application/x-mswrite' => 'wri',
'application/x-netcdf' => 'nc',
'application/x-nzb' => 'nzb',
'application/x-pkcs12' => 'p12',
'application/x-pkcs7-certificates' => 'p7b',
'application/x-pkcs7-certreqresp' => 'p7r',
'application/x-rar-compressed' => 'rar',
'application/x-rar' => 'rar',
'application/x-research-info-systems' => 'ris',
'application/x-sh' => 'sh',
'application/x-shar' => 'shar',
'application/x-shockwave-flash' => 'swf',
'application/x-silverlight-app' => 'xap',
'application/x-sql' => 'sql',
'application/x-stuffit' => 'sit',
'application/x-stuffitx' => 'sitx',
'application/x-subrip' => 'srt',
'application/x-sv4cpio' => 'sv4cpio',
'application/x-sv4crc' => 'sv4crc',
'application/x-t3vm-image' => 't3',
'application/x-tads' => 'gam',
'application/x-tar' => 'tar',
'application/x-tcl' => 'tcl',
'application/x-tex' => 'tex',
'application/x-tex-tfm' => 'tfm',
'application/x-texinfo' => 'texinfo',
'application/x-tgif' => 'obj',
'application/x-ustar' => 'ustar',
'application/x-wais-source' => 'src',
'application/x-x509-ca-cert' => 'der',
'application/x-xfig' => 'fig',
'application/x-xliff+xml' => 'xlf',
'application/x-xpinstall' => 'xpi',
'application/x-xz' => 'xz',
'application/x-zip-compressed' => 'zip',
'application/x-zmachine' => 'z1',
'application/xaml+xml' => 'xaml',
'application/xcap-diff+xml' => 'xdf',
'application/xenc+xml' => 'xenc',
'application/xhtml+xml' => 'xhtml',
'application/xml' => 'xml',
'application/xml-dtd' => 'dtd',
'application/xop+xml' => 'xop',
'application/xproc+xml' => 'xpl',
'application/xslt+xml' => 'xslt',
'application/xspf+xml' => 'xspf',
'application/xv+xml' => 'mxml',
'application/yang' => 'yang',
'application/yin+xml' => 'yin',
'application/zip' => 'zip',
'audio/adpcm' => 'adp',
'audio/basic' => 'au',
'audio/midi' => 'mid',
'audio/mp4' => 'm4a',
'audio/mpeg' => 'mpga',
'audio/ogg' => 'oga',
'audio/s3m' => 's3m',
'audio/silk' => 'sil',
'audio/vnd.dece.audio' => 'uva',
'audio/vnd.digital-winds' => 'eol',
'audio/vnd.dra' => 'dra',
'audio/vnd.dts' => 'dts',
'audio/vnd.dts.hd' => 'dtshd',
'audio/vnd.lucent.voice' => 'lvp',
'audio/vnd.ms-playready.media.pya' => 'pya',
'audio/vnd.nuera.ecelp4800' => 'ecelp4800',
'audio/vnd.nuera.ecelp7470' => 'ecelp7470',
'audio/vnd.nuera.ecelp9600' => 'ecelp9600',
'audio/vnd.rip' => 'rip',
'audio/webm' => 'weba',
'audio/x-aac' => 'aac',
'audio/x-aiff' => 'aif',
'audio/x-caf' => 'caf',
'audio/x-flac' => 'flac',
'audio/x-matroska' => 'mka',
'audio/x-mpegurl' => 'm3u',
'audio/x-ms-wax' => 'wax',
'audio/x-ms-wma' => 'wma',
'audio/x-pn-realaudio' => 'ram',
'audio/x-pn-realaudio-plugin' => 'rmp',
'audio/x-wav' => 'wav',
'audio/xm' => 'xm',
'chemical/x-cdx' => 'cdx',
'chemical/x-cif' => 'cif',
'chemical/x-cmdf' => 'cmdf',
'chemical/x-cml' => 'cml',
'chemical/x-csml' => 'csml',
'chemical/x-xyz' => 'xyz',
'font/collection' => 'ttc',
'font/otf' => 'otf',
'font/ttf' => 'ttf',
'font/woff' => 'woff',
'font/woff2' => 'woff2',
'image/bmp' => 'bmp',
'image/x-ms-bmp' => 'bmp',
'image/cgm' => 'cgm',
'image/g3fax' => 'g3',
'image/gif' => 'gif',
'image/ief' => 'ief',
'image/jpeg' => 'jpeg',
'image/pjpeg' => 'jpeg',
'image/ktx' => 'ktx',
'image/png' => 'png',
'image/prs.btif' => 'btif',
'image/sgi' => 'sgi',
'image/svg+xml' => 'svg',
'image/tiff' => 'tiff',
'image/vnd.adobe.photoshop' => 'psd',
'image/vnd.dece.graphic' => 'uvi',
'image/vnd.djvu' => 'djvu',
'image/vnd.dvb.subtitle' => 'sub',
'image/vnd.dwg' => 'dwg',
'image/vnd.dxf' => 'dxf',
'image/vnd.fastbidsheet' => 'fbs',
'image/vnd.fpx' => 'fpx',
'image/vnd.fst' => 'fst',
'image/vnd.fujixerox.edmics-mmr' => 'mmr',
'image/vnd.fujixerox.edmics-rlc' => 'rlc',
'image/vnd.ms-modi' => 'mdi',
'image/vnd.ms-photo' => 'wdp',
'image/vnd.net-fpx' => 'npx',
'image/vnd.wap.wbmp' => 'wbmp',
'image/vnd.xiff' => 'xif',
'image/webp' => 'webp',
'image/x-3ds' => '3ds',
'image/x-cmu-raster' => 'ras',
'image/x-cmx' => 'cmx',
'image/x-freehand' => 'fh',
'image/x-icon' => 'ico',
'image/x-mrsid-image' => 'sid',
'image/x-pcx' => 'pcx',
'image/x-pict' => 'pic',
'image/x-portable-anymap' => 'pnm',
'image/x-portable-bitmap' => 'pbm',
'image/x-portable-graymap' => 'pgm',
'image/x-portable-pixmap' => 'ppm',
'image/x-rgb' => 'rgb',
'image/x-tga' => 'tga',
'image/x-xbitmap' => 'xbm',
'image/x-xpixmap' => 'xpm',
'image/x-xwindowdump' => 'xwd',
'message/rfc822' => 'eml',
'model/iges' => 'igs',
'model/mesh' => 'msh',
'model/vnd.collada+xml' => 'dae',
'model/vnd.dwf' => 'dwf',
'model/vnd.gdl' => 'gdl',
'model/vnd.gtw' => 'gtw',
'model/vnd.mts' => 'mts',
'model/vnd.vtu' => 'vtu',
'model/vrml' => 'wrl',
'model/x3d+binary' => 'x3db',
'model/x3d+vrml' => 'x3dv',
'model/x3d+xml' => 'x3d',
'text/cache-manifest' => 'appcache',
'text/calendar' => 'ics',
'text/css' => 'css',
'text/csv' => 'csv',
'text/html' => 'html',
'text/n3' => 'n3',
'text/plain' => 'txt',
'text/prs.lines.tag' => 'dsc',
'text/richtext' => 'rtx',
'text/rtf' => 'rtf',
'text/sgml' => 'sgml',
'text/tab-separated-values' => 'tsv',
'text/troff' => 't',
'text/turtle' => 'ttl',
'text/uri-list' => 'uri',
'text/vcard' => 'vcard',
'text/vnd.curl' => 'curl',
'text/vnd.curl.dcurl' => 'dcurl',
'text/vnd.curl.mcurl' => 'mcurl',
'text/vnd.curl.scurl' => 'scurl',
'text/vnd.dvb.subtitle' => 'sub',
'text/vnd.fly' => 'fly',
'text/vnd.fmi.flexstor' => 'flx',
'text/vnd.graphviz' => 'gv',
'text/vnd.in3d.3dml' => '3dml',
'text/vnd.in3d.spot' => 'spot',
'text/vnd.sun.j2me.app-descriptor' => 'jad',
'text/vnd.wap.wml' => 'wml',
'text/vnd.wap.wmlscript' => 'wmls',
'text/vtt' => 'vtt',
'text/x-asm' => 's',
'text/x-c' => 'c',
'text/x-fortran' => 'f',
'text/x-java-source' => 'java',
'text/x-nfo' => 'nfo',
'text/x-opml' => 'opml',
'text/x-pascal' => 'p',
'text/x-setext' => 'etx',
'text/x-sfv' => 'sfv',
'text/x-uuencode' => 'uu',
'text/x-vcalendar' => 'vcs',
'text/x-vcard' => 'vcf',
'video/3gpp' => '3gp',
'video/3gpp2' => '3g2',
'video/h261' => 'h261',
'video/h263' => 'h263',
'video/h264' => 'h264',
'video/jpeg' => 'jpgv',
'video/jpm' => 'jpm',
'video/mj2' => 'mj2',
'video/mp4' => 'mp4',
'video/mpeg' => 'mpeg',
'video/ogg' => 'ogv',
'video/quicktime' => 'qt',
'video/vnd.dece.hd' => 'uvh',
'video/vnd.dece.mobile' => 'uvm',
'video/vnd.dece.pd' => 'uvp',
'video/vnd.dece.sd' => 'uvs',
'video/vnd.dece.video' => 'uvv',
'video/vnd.dvb.file' => 'dvb',
'video/vnd.fvt' => 'fvt',
'video/vnd.mpegurl' => 'mxu',
'video/vnd.ms-playready.media.pyv' => 'pyv',
'video/vnd.uvvu.mp4' => 'uvu',
'video/vnd.vivo' => 'viv',
'video/webm' => 'webm',
'video/x-f4v' => 'f4v',
'video/x-fli' => 'fli',
'video/x-flv' => 'flv',
'video/x-m4v' => 'm4v',
'video/x-matroska' => 'mkv',
'video/x-mng' => 'mng',
'video/x-ms-asf' => 'asf',
'video/x-ms-vob' => 'vob',
'video/x-ms-wm' => 'wm',
'video/x-ms-wmv' => 'wmv',
'video/x-ms-wmx' => 'wmx',
'video/x-ms-wvx' => 'wvx',
'video/x-msvideo' => 'avi',
'video/x-sgi-movie' => 'movie',
'video/x-smv' => 'smv',
'x-conference/x-cooltalk' => 'ice',
];
/**
* {@inheritdoc}
*/
public function guess($mimeType)
{
if (isset($this->defaultExtensions[$mimeType])) {
return $this->defaultExtensions[$mimeType];
}
$lcMimeType = strtolower($mimeType);
return isset($this->defaultExtensions[$lcMimeType]) ? $this->defaultExtensions[$lcMimeType] : null;
}
}
http-foundation/File/MimeType/FileinfoMimeTypeGuesser.php 0000644 00000003124 14716422132 0017555 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation\File\MimeType;
use Symfony\Component\HttpFoundation\File\Exception\AccessDeniedException;
use Symfony\Component\HttpFoundation\File\Exception\FileNotFoundException;
/**
* Guesses the mime type using the PECL extension FileInfo.
*
* @author Bernhard Schussek
*/
class FileinfoMimeTypeGuesser implements MimeTypeGuesserInterface
{
private $magicFile;
/**
* @param string $magicFile A magic file to use with the finfo instance
*
* @see https://php.net/finfo-open
*/
public function __construct($magicFile = null)
{
$this->magicFile = $magicFile;
}
/**
* Returns whether this guesser is supported on the current OS/PHP setup.
*
* @return bool
*/
public static function isSupported()
{
return \function_exists('finfo_open');
}
/**
* {@inheritdoc}
*/
public function guess($path)
{
if (!is_file($path)) {
throw new FileNotFoundException($path);
}
if (!is_readable($path)) {
throw new AccessDeniedException($path);
}
if (!self::isSupported()) {
return null;
}
if (!$finfo = new \finfo(FILEINFO_MIME_TYPE, $this->magicFile)) {
return null;
}
return $finfo->file($path);
}
}
http-foundation/Cookie.php 0000644 00000020521 14716422132 0011613 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation;
/**
* Represents a cookie.
*
* @author Johannes M. Schmitt
*/
class Cookie
{
const SAMESITE_NONE = 'none';
const SAMESITE_LAX = 'lax';
const SAMESITE_STRICT = 'strict';
protected $name;
protected $value;
protected $domain;
protected $expire;
protected $path;
protected $secure;
protected $httpOnly;
private $raw;
private $sameSite;
private static $reservedCharsList = "=,; \t\r\n\v\f";
private static $reservedCharsFrom = ['=', ',', ';', ' ', "\t", "\r", "\n", "\v", "\f"];
private static $reservedCharsTo = ['%3D', '%2C', '%3B', '%20', '%09', '%0D', '%0A', '%0B', '%0C'];
/**
* Creates cookie from raw header string.
*
* @param string $cookie
* @param bool $decode
*
* @return static
*/
public static function fromString($cookie, $decode = false)
{
$data = [
'expires' => 0,
'path' => '/',
'domain' => null,
'secure' => false,
'httponly' => false,
'raw' => !$decode,
'samesite' => null,
];
foreach (explode(';', $cookie) as $part) {
if (false === strpos($part, '=')) {
$key = trim($part);
$value = true;
} else {
list($key, $value) = explode('=', trim($part), 2);
$key = trim($key);
$value = trim($value);
}
if (!isset($data['name'])) {
$data['name'] = $decode ? urldecode($key) : $key;
$data['value'] = true === $value ? null : ($decode ? urldecode($value) : $value);
continue;
}
switch ($key = strtolower($key)) {
case 'name':
case 'value':
break;
case 'max-age':
$data['expires'] = time() + (int) $value;
break;
default:
$data[$key] = $value;
break;
}
}
return new static($data['name'], $data['value'], $data['expires'], $data['path'], $data['domain'], $data['secure'], $data['httponly'], $data['raw'], $data['samesite']);
}
/**
* @param string $name The name of the cookie
* @param string|null $value The value of the cookie
* @param int|string|\DateTimeInterface $expire The time the cookie expires
* @param string $path The path on the server in which the cookie will be available on
* @param string|null $domain The domain that the cookie is available to
* @param bool $secure Whether the cookie should only be transmitted over a secure HTTPS connection from the client
* @param bool $httpOnly Whether the cookie will be made accessible only through the HTTP protocol
* @param bool $raw Whether the cookie value should be sent with no url encoding
* @param string|null $sameSite Whether the cookie will be available for cross-site requests
*
* @throws \InvalidArgumentException
*/
public function __construct($name, $value = null, $expire = 0, $path = '/', $domain = null, $secure = false, $httpOnly = true, $raw = false, $sameSite = null)
{
// from PHP source code
if ($raw && false !== strpbrk($name, self::$reservedCharsList)) {
throw new \InvalidArgumentException(sprintf('The cookie name "%s" contains invalid characters.', $name));
}
if (empty($name)) {
throw new \InvalidArgumentException('The cookie name cannot be empty.');
}
// convert expiration time to a Unix timestamp
if ($expire instanceof \DateTimeInterface) {
$expire = $expire->format('U');
} elseif (!is_numeric($expire)) {
$expire = strtotime($expire);
if (false === $expire) {
throw new \InvalidArgumentException('The cookie expiration time is not valid.');
}
}
$this->name = $name;
$this->value = $value;
$this->domain = $domain;
$this->expire = 0 < $expire ? (int) $expire : 0;
$this->path = empty($path) ? '/' : $path;
$this->secure = (bool) $secure;
$this->httpOnly = (bool) $httpOnly;
$this->raw = (bool) $raw;
if (null !== $sameSite) {
$sameSite = strtolower($sameSite);
}
if (!\in_array($sameSite, [self::SAMESITE_LAX, self::SAMESITE_STRICT, self::SAMESITE_NONE, null], true)) {
throw new \InvalidArgumentException('The "sameSite" parameter value is not valid.');
}
$this->sameSite = $sameSite;
}
/**
* Returns the cookie as a string.
*
* @return string The cookie
*/
public function __toString()
{
if ($this->isRaw()) {
$str = $this->getName();
} else {
$str = str_replace(self::$reservedCharsFrom, self::$reservedCharsTo, $this->getName());
}
$str .= '=';
if ('' === (string) $this->getValue()) {
$str .= 'deleted; expires='.gmdate('D, d-M-Y H:i:s T', time() - 31536001).'; Max-Age=0';
} else {
$str .= $this->isRaw() ? $this->getValue() : rawurlencode($this->getValue());
if (0 !== $this->getExpiresTime()) {
$str .= '; expires='.gmdate('D, d-M-Y H:i:s T', $this->getExpiresTime()).'; Max-Age='.$this->getMaxAge();
}
}
if ($this->getPath()) {
$str .= '; path='.$this->getPath();
}
if ($this->getDomain()) {
$str .= '; domain='.$this->getDomain();
}
if (true === $this->isSecure()) {
$str .= '; secure';
}
if (true === $this->isHttpOnly()) {
$str .= '; httponly';
}
if (null !== $this->getSameSite()) {
$str .= '; samesite='.$this->getSameSite();
}
return $str;
}
/**
* Gets the name of the cookie.
*
* @return string
*/
public function getName()
{
return $this->name;
}
/**
* Gets the value of the cookie.
*
* @return string|null
*/
public function getValue()
{
return $this->value;
}
/**
* Gets the domain that the cookie is available to.
*
* @return string|null
*/
public function getDomain()
{
return $this->domain;
}
/**
* Gets the time the cookie expires.
*
* @return int
*/
public function getExpiresTime()
{
return $this->expire;
}
/**
* Gets the max-age attribute.
*
* @return int
*/
public function getMaxAge()
{
$maxAge = $this->expire - time();
return 0 >= $maxAge ? 0 : $maxAge;
}
/**
* Gets the path on the server in which the cookie will be available on.
*
* @return string
*/
public function getPath()
{
return $this->path;
}
/**
* Checks whether the cookie should only be transmitted over a secure HTTPS connection from the client.
*
* @return bool
*/
public function isSecure()
{
return $this->secure;
}
/**
* Checks whether the cookie will be made accessible only through the HTTP protocol.
*
* @return bool
*/
public function isHttpOnly()
{
return $this->httpOnly;
}
/**
* Whether this cookie is about to be cleared.
*
* @return bool
*/
public function isCleared()
{
return 0 !== $this->expire && $this->expire < time();
}
/**
* Checks if the cookie value should be sent with no url encoding.
*
* @return bool
*/
public function isRaw()
{
return $this->raw;
}
/**
* Gets the SameSite attribute.
*
* @return string|null
*/
public function getSameSite()
{
return $this->sameSite;
}
}
http-foundation/StreamedResponse.php 0000644 00000006367 14716422132 0013701 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation;
/**
* StreamedResponse represents a streamed HTTP response.
*
* A StreamedResponse uses a callback for its content.
*
* The callback should use the standard PHP functions like echo
* to stream the response back to the client. The flush() function
* can also be used if needed.
*
* @see flush()
*
* @author Fabien Potencier
*/
class StreamedResponse extends Response
{
protected $callback;
protected $streamed;
private $headersSent;
/**
* @param callable|null $callback A valid PHP callback or null to set it later
* @param int $status The response status code
* @param array $headers An array of response headers
*/
public function __construct(callable $callback = null, $status = 200, $headers = [])
{
parent::__construct(null, $status, $headers);
if (null !== $callback) {
$this->setCallback($callback);
}
$this->streamed = false;
$this->headersSent = false;
}
/**
* Factory method for chainability.
*
* @param callable|null $callback A valid PHP callback or null to set it later
* @param int $status The response status code
* @param array $headers An array of response headers
*
* @return static
*/
public static function create($callback = null, $status = 200, $headers = [])
{
return new static($callback, $status, $headers);
}
/**
* Sets the PHP callback associated with this Response.
*
* @param callable $callback A valid PHP callback
*
* @return $this
*/
public function setCallback(callable $callback)
{
$this->callback = $callback;
return $this;
}
/**
* {@inheritdoc}
*
* This method only sends the headers once.
*
* @return $this
*/
public function sendHeaders()
{
if ($this->headersSent) {
return $this;
}
$this->headersSent = true;
return parent::sendHeaders();
}
/**
* {@inheritdoc}
*
* This method only sends the content once.
*
* @return $this
*/
public function sendContent()
{
if ($this->streamed) {
return $this;
}
$this->streamed = true;
if (null === $this->callback) {
throw new \LogicException('The Response callback must not be null.');
}
\call_user_func($this->callback);
return $this;
}
/**
* {@inheritdoc}
*
* @throws \LogicException when the content is not null
*
* @return $this
*/
public function setContent($content)
{
if (null !== $content) {
throw new \LogicException('The content cannot be set on a StreamedResponse instance.');
}
$this->streamed = true;
return $this;
}
/**
* {@inheritdoc}
*/
public function getContent()
{
return false;
}
}
http-foundation/RequestMatcher.php 0000644 00000010425 14716422132 0013340 0 ustar 00
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Symfony\Component\HttpFoundation;
/**
* RequestMatcher compares a pre-defined set of checks against a Request instance.
*
* @author Fabien Potencier