This commit is contained in:
2025-10-20 14:10:54 +02:00
parent 75ca8fd840
commit d2c1970ef8
732 changed files with 101915 additions and 2 deletions

View File

@@ -0,0 +1,579 @@
<?php
/*
* This file is part of Composer.
*
* (c) Nils Adermann <naderman@naderman.de>
* Jordi Boggiano <j.boggiano@seld.be>
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Composer\Autoload;
/**
* ClassLoader implements a PSR-0, PSR-4 and classmap class loader.
*
* $loader = new \Composer\Autoload\ClassLoader();
*
* // register classes with namespaces
* $loader->add('Symfony\Component', __DIR__.'/component');
* $loader->add('Symfony', __DIR__.'/framework');
*
* // activate the autoloader
* $loader->register();
*
* // to enable searching the include path (eg. for PEAR packages)
* $loader->setUseIncludePath(true);
*
* In this example, if you try to use a class in the Symfony\Component
* namespace or one of its children (Symfony\Component\Console for instance),
* the autoloader will first look for the class under the component/
* directory, and it will then fallback to the framework/ directory if not
* found before giving up.
*
* This class is loosely based on the Symfony UniversalClassLoader.
*
* @author Fabien Potencier <fabien@symfony.com>
* @author Jordi Boggiano <j.boggiano@seld.be>
* @see https://www.php-fig.org/psr/psr-0/
* @see https://www.php-fig.org/psr/psr-4/
*/
class ClassLoader
{
/** @var \Closure(string):void */
private static $includeFile;
/** @var string|null */
private $vendorDir;
// PSR-4
/**
* @var array<string, array<string, int>>
*/
private $prefixLengthsPsr4 = array();
/**
* @var array<string, list<string>>
*/
private $prefixDirsPsr4 = array();
/**
* @var list<string>
*/
private $fallbackDirsPsr4 = array();
// PSR-0
/**
* List of PSR-0 prefixes
*
* Structured as array('F (first letter)' => array('Foo\Bar (full prefix)' => array('path', 'path2')))
*
* @var array<string, array<string, list<string>>>
*/
private $prefixesPsr0 = array();
/**
* @var list<string>
*/
private $fallbackDirsPsr0 = array();
/** @var bool */
private $useIncludePath = false;
/**
* @var array<string, string>
*/
private $classMap = array();
/** @var bool */
private $classMapAuthoritative = false;
/**
* @var array<string, bool>
*/
private $missingClasses = array();
/** @var string|null */
private $apcuPrefix;
/**
* @var array<string, self>
*/
private static $registeredLoaders = array();
/**
* @param string|null $vendorDir
*/
public function __construct($vendorDir = null)
{
$this->vendorDir = $vendorDir;
self::initializeIncludeClosure();
}
/**
* @return array<string, list<string>>
*/
public function getPrefixes()
{
if (!empty($this->prefixesPsr0)) {
return call_user_func_array('array_merge', array_values($this->prefixesPsr0));
}
return array();
}
/**
* @return array<string, list<string>>
*/
public function getPrefixesPsr4()
{
return $this->prefixDirsPsr4;
}
/**
* @return list<string>
*/
public function getFallbackDirs()
{
return $this->fallbackDirsPsr0;
}
/**
* @return list<string>
*/
public function getFallbackDirsPsr4()
{
return $this->fallbackDirsPsr4;
}
/**
* @return array<string, string> Array of classname => path
*/
public function getClassMap()
{
return $this->classMap;
}
/**
* @param array<string, string> $classMap Class to filename map
*
* @return void
*/
public function addClassMap(array $classMap)
{
if ($this->classMap) {
$this->classMap = array_merge($this->classMap, $classMap);
} else {
$this->classMap = $classMap;
}
}
/**
* Registers a set of PSR-0 directories for a given prefix, either
* appending or prepending to the ones previously set for this prefix.
*
* @param string $prefix The prefix
* @param list<string>|string $paths The PSR-0 root directories
* @param bool $prepend Whether to prepend the directories
*
* @return void
*/
public function add($prefix, $paths, $prepend = false)
{
$paths = (array) $paths;
if (!$prefix) {
if ($prepend) {
$this->fallbackDirsPsr0 = array_merge(
$paths,
$this->fallbackDirsPsr0
);
} else {
$this->fallbackDirsPsr0 = array_merge(
$this->fallbackDirsPsr0,
$paths
);
}
return;
}
$first = $prefix[0];
if (!isset($this->prefixesPsr0[$first][$prefix])) {
$this->prefixesPsr0[$first][$prefix] = $paths;
return;
}
if ($prepend) {
$this->prefixesPsr0[$first][$prefix] = array_merge(
$paths,
$this->prefixesPsr0[$first][$prefix]
);
} else {
$this->prefixesPsr0[$first][$prefix] = array_merge(
$this->prefixesPsr0[$first][$prefix],
$paths
);
}
}
/**
* Registers a set of PSR-4 directories for a given namespace, either
* appending or prepending to the ones previously set for this namespace.
*
* @param string $prefix The prefix/namespace, with trailing '\\'
* @param list<string>|string $paths The PSR-4 base directories
* @param bool $prepend Whether to prepend the directories
*
* @throws \InvalidArgumentException
*
* @return void
*/
public function addPsr4($prefix, $paths, $prepend = false)
{
$paths = (array) $paths;
if (!$prefix) {
// Register directories for the root namespace.
if ($prepend) {
$this->fallbackDirsPsr4 = array_merge(
$paths,
$this->fallbackDirsPsr4
);
} else {
$this->fallbackDirsPsr4 = array_merge(
$this->fallbackDirsPsr4,
$paths
);
}
} elseif (!isset($this->prefixDirsPsr4[$prefix])) {
// Register directories for a new namespace.
$length = strlen($prefix);
if ('\\' !== $prefix[$length - 1]) {
throw new \InvalidArgumentException("A non-empty PSR-4 prefix must end with a namespace separator.");
}
$this->prefixLengthsPsr4[$prefix[0]][$prefix] = $length;
$this->prefixDirsPsr4[$prefix] = $paths;
} elseif ($prepend) {
// Prepend directories for an already registered namespace.
$this->prefixDirsPsr4[$prefix] = array_merge(
$paths,
$this->prefixDirsPsr4[$prefix]
);
} else {
// Append directories for an already registered namespace.
$this->prefixDirsPsr4[$prefix] = array_merge(
$this->prefixDirsPsr4[$prefix],
$paths
);
}
}
/**
* Registers a set of PSR-0 directories for a given prefix,
* replacing any others previously set for this prefix.
*
* @param string $prefix The prefix
* @param list<string>|string $paths The PSR-0 base directories
*
* @return void
*/
public function set($prefix, $paths)
{
if (!$prefix) {
$this->fallbackDirsPsr0 = (array) $paths;
} else {
$this->prefixesPsr0[$prefix[0]][$prefix] = (array) $paths;
}
}
/**
* Registers a set of PSR-4 directories for a given namespace,
* replacing any others previously set for this namespace.
*
* @param string $prefix The prefix/namespace, with trailing '\\'
* @param list<string>|string $paths The PSR-4 base directories
*
* @throws \InvalidArgumentException
*
* @return void
*/
public function setPsr4($prefix, $paths)
{
if (!$prefix) {
$this->fallbackDirsPsr4 = (array) $paths;
} else {
$length = strlen($prefix);
if ('\\' !== $prefix[$length - 1]) {
throw new \InvalidArgumentException("A non-empty PSR-4 prefix must end with a namespace separator.");
}
$this->prefixLengthsPsr4[$prefix[0]][$prefix] = $length;
$this->prefixDirsPsr4[$prefix] = (array) $paths;
}
}
/**
* Turns on searching the include path for class files.
*
* @param bool $useIncludePath
*
* @return void
*/
public function setUseIncludePath($useIncludePath)
{
$this->useIncludePath = $useIncludePath;
}
/**
* Can be used to check if the autoloader uses the include path to check
* for classes.
*
* @return bool
*/
public function getUseIncludePath()
{
return $this->useIncludePath;
}
/**
* Turns off searching the prefix and fallback directories for classes
* that have not been registered with the class map.
*
* @param bool $classMapAuthoritative
*
* @return void
*/
public function setClassMapAuthoritative($classMapAuthoritative)
{
$this->classMapAuthoritative = $classMapAuthoritative;
}
/**
* Should class lookup fail if not found in the current class map?
*
* @return bool
*/
public function isClassMapAuthoritative()
{
return $this->classMapAuthoritative;
}
/**
* APCu prefix to use to cache found/not-found classes, if the extension is enabled.
*
* @param string|null $apcuPrefix
*
* @return void
*/
public function setApcuPrefix($apcuPrefix)
{
$this->apcuPrefix = function_exists('apcu_fetch') && filter_var(ini_get('apc.enabled'), FILTER_VALIDATE_BOOLEAN) ? $apcuPrefix : null;
}
/**
* The APCu prefix in use, or null if APCu caching is not enabled.
*
* @return string|null
*/
public function getApcuPrefix()
{
return $this->apcuPrefix;
}
/**
* Registers this instance as an autoloader.
*
* @param bool $prepend Whether to prepend the autoloader or not
*
* @return void
*/
public function register($prepend = false)
{
spl_autoload_register(array($this, 'loadClass'), true, $prepend);
if (null === $this->vendorDir) {
return;
}
if ($prepend) {
self::$registeredLoaders = array($this->vendorDir => $this) + self::$registeredLoaders;
} else {
unset(self::$registeredLoaders[$this->vendorDir]);
self::$registeredLoaders[$this->vendorDir] = $this;
}
}
/**
* Unregisters this instance as an autoloader.
*
* @return void
*/
public function unregister()
{
spl_autoload_unregister(array($this, 'loadClass'));
if (null !== $this->vendorDir) {
unset(self::$registeredLoaders[$this->vendorDir]);
}
}
/**
* Loads the given class or interface.
*
* @param string $class The name of the class
* @return true|null True if loaded, null otherwise
*/
public function loadClass($class)
{
if ($file = $this->findFile($class)) {
$includeFile = self::$includeFile;
$includeFile($file);
return true;
}
return null;
}
/**
* Finds the path to the file where the class is defined.
*
* @param string $class The name of the class
*
* @return string|false The path if found, false otherwise
*/
public function findFile($class)
{
// class map lookup
if (isset($this->classMap[$class])) {
return $this->classMap[$class];
}
if ($this->classMapAuthoritative || isset($this->missingClasses[$class])) {
return false;
}
if (null !== $this->apcuPrefix) {
$file = apcu_fetch($this->apcuPrefix.$class, $hit);
if ($hit) {
return $file;
}
}
$file = $this->findFileWithExtension($class, '.php');
// Search for Hack files if we are running on HHVM
if (false === $file && defined('HHVM_VERSION')) {
$file = $this->findFileWithExtension($class, '.hh');
}
if (null !== $this->apcuPrefix) {
apcu_add($this->apcuPrefix.$class, $file);
}
if (false === $file) {
// Remember that this class does not exist.
$this->missingClasses[$class] = true;
}
return $file;
}
/**
* Returns the currently registered loaders keyed by their corresponding vendor directories.
*
* @return array<string, self>
*/
public static function getRegisteredLoaders()
{
return self::$registeredLoaders;
}
/**
* @param string $class
* @param string $ext
* @return string|false
*/
private function findFileWithExtension($class, $ext)
{
// PSR-4 lookup
$logicalPathPsr4 = strtr($class, '\\', DIRECTORY_SEPARATOR) . $ext;
$first = $class[0];
if (isset($this->prefixLengthsPsr4[$first])) {
$subPath = $class;
while (false !== $lastPos = strrpos($subPath, '\\')) {
$subPath = substr($subPath, 0, $lastPos);
$search = $subPath . '\\';
if (isset($this->prefixDirsPsr4[$search])) {
$pathEnd = DIRECTORY_SEPARATOR . substr($logicalPathPsr4, $lastPos + 1);
foreach ($this->prefixDirsPsr4[$search] as $dir) {
if (file_exists($file = $dir . $pathEnd)) {
return $file;
}
}
}
}
}
// PSR-4 fallback dirs
foreach ($this->fallbackDirsPsr4 as $dir) {
if (file_exists($file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr4)) {
return $file;
}
}
// PSR-0 lookup
if (false !== $pos = strrpos($class, '\\')) {
// namespaced class name
$logicalPathPsr0 = substr($logicalPathPsr4, 0, $pos + 1)
. strtr(substr($logicalPathPsr4, $pos + 1), '_', DIRECTORY_SEPARATOR);
} else {
// PEAR-like class name
$logicalPathPsr0 = strtr($class, '_', DIRECTORY_SEPARATOR) . $ext;
}
if (isset($this->prefixesPsr0[$first])) {
foreach ($this->prefixesPsr0[$first] as $prefix => $dirs) {
if (0 === strpos($class, $prefix)) {
foreach ($dirs as $dir) {
if (file_exists($file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr0)) {
return $file;
}
}
}
}
}
// PSR-0 fallback dirs
foreach ($this->fallbackDirsPsr0 as $dir) {
if (file_exists($file = $dir . DIRECTORY_SEPARATOR . $logicalPathPsr0)) {
return $file;
}
}
// PSR-0 include paths.
if ($this->useIncludePath && $file = stream_resolve_include_path($logicalPathPsr0)) {
return $file;
}
return false;
}
/**
* @return void
*/
private static function initializeIncludeClosure()
{
if (self::$includeFile !== null) {
return;
}
/**
* Scope isolated include.
*
* Prevents access to $this/self from included files.
*
* @param string $file
* @return void
*/
self::$includeFile = \Closure::bind(static function($file) {
include $file;
}, null, null);
}
}

View File

@@ -0,0 +1,345 @@
<?php
/*
* This file is part of Composer.
*
* (c) Nils Adermann <naderman@naderman.de>
* Jordi Boggiano <j.boggiano@seld.be>
*
* For the full copyright and license information, please view the LICENSE
* file that was distributed with this source code.
*/
namespace Composer;
use Composer\Autoload\ClassLoader;
use Composer\Semver\VersionParser;
/**
* This class is copied in every Composer installed project and available to all
*
* See also https://getcomposer.org/doc/07-runtime.md#installed-versions
*
* To require its presence, you can require `composer-runtime-api ^2.0`
*
* @final
*/
class InstalledVersions
{
/**
* @var string|null if set (by reflection by Composer), this should be set to the path where this class is being copied to
* @internal
*/
private static $selfDir = null;
/**
* @var mixed[]|null
* @psalm-var array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>}|array{}|null
*/
private static $installed;
/**
* @var bool
*/
private static $installedIsLocalDir;
/**
* @var bool|null
*/
private static $canGetVendors;
/**
* @var array[]
* @psalm-var array<string, array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>}>
*/
private static $installedByVendor = array();
/**
* Returns a list of all package names which are present, either by being installed, replaced or provided
*
* @return string[]
* @psalm-return list<string>
*/
public static function getInstalledPackages()
{
$packages = array();
foreach (self::getInstalled() as $installed) {
$packages[] = array_keys($installed['versions']);
}
if (1 === \count($packages)) {
return $packages[0];
}
return array_keys(array_flip(\call_user_func_array('array_merge', $packages)));
}
/**
* Returns a list of all package names with a specific type e.g. 'library'
*
* @param string $type
* @return string[]
* @psalm-return list<string>
*/
public static function getInstalledPackagesByType($type)
{
$packagesByType = array();
foreach (self::getInstalled() as $installed) {
foreach ($installed['versions'] as $name => $package) {
if (isset($package['type']) && $package['type'] === $type) {
$packagesByType[] = $name;
}
}
}
return $packagesByType;
}
/**
* Checks whether the given package is installed
*
* This also returns true if the package name is provided or replaced by another package
*
* @param string $packageName
* @param bool $includeDevRequirements
* @return bool
*/
public static function isInstalled($packageName, $includeDevRequirements = \true)
{
foreach (self::getInstalled() as $installed) {
if (isset($installed['versions'][$packageName])) {
return $includeDevRequirements || !isset($installed['versions'][$packageName]['dev_requirement']) || $installed['versions'][$packageName]['dev_requirement'] === \false;
}
}
return \false;
}
/**
* Checks whether the given package satisfies a version constraint
*
* e.g. If you want to know whether version 2.3+ of package foo/bar is installed, you would call:
*
* Composer\InstalledVersions::satisfies(new VersionParser, 'foo/bar', '^2.3')
*
* @param VersionParser $parser Install composer/semver to have access to this class and functionality
* @param string $packageName
* @param string|null $constraint A version constraint to check for, if you pass one you have to make sure composer/semver is required by your package
* @return bool
*/
public static function satisfies(VersionParser $parser, $packageName, $constraint)
{
$constraint = $parser->parseConstraints((string) $constraint);
$provided = $parser->parseConstraints(self::getVersionRanges($packageName));
return $provided->matches($constraint);
}
/**
* Returns a version constraint representing all the range(s) which are installed for a given package
*
* It is easier to use this via isInstalled() with the $constraint argument if you need to check
* whether a given version of a package is installed, and not just whether it exists
*
* @param string $packageName
* @return string Version constraint usable with composer/semver
*/
public static function getVersionRanges($packageName)
{
foreach (self::getInstalled() as $installed) {
if (!isset($installed['versions'][$packageName])) {
continue;
}
$ranges = array();
if (isset($installed['versions'][$packageName]['pretty_version'])) {
$ranges[] = $installed['versions'][$packageName]['pretty_version'];
}
if (array_key_exists('aliases', $installed['versions'][$packageName])) {
$ranges = array_merge($ranges, $installed['versions'][$packageName]['aliases']);
}
if (array_key_exists('replaced', $installed['versions'][$packageName])) {
$ranges = array_merge($ranges, $installed['versions'][$packageName]['replaced']);
}
if (array_key_exists('provided', $installed['versions'][$packageName])) {
$ranges = array_merge($ranges, $installed['versions'][$packageName]['provided']);
}
return implode(' || ', $ranges);
}
throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
}
/**
* @param string $packageName
* @return string|null If the package is being replaced or provided but is not really installed, null will be returned as version, use satisfies or getVersionRanges if you need to know if a given version is present
*/
public static function getVersion($packageName)
{
foreach (self::getInstalled() as $installed) {
if (!isset($installed['versions'][$packageName])) {
continue;
}
if (!isset($installed['versions'][$packageName]['version'])) {
return null;
}
return $installed['versions'][$packageName]['version'];
}
throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
}
/**
* @param string $packageName
* @return string|null If the package is being replaced or provided but is not really installed, null will be returned as version, use satisfies or getVersionRanges if you need to know if a given version is present
*/
public static function getPrettyVersion($packageName)
{
foreach (self::getInstalled() as $installed) {
if (!isset($installed['versions'][$packageName])) {
continue;
}
if (!isset($installed['versions'][$packageName]['pretty_version'])) {
return null;
}
return $installed['versions'][$packageName]['pretty_version'];
}
throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
}
/**
* @param string $packageName
* @return string|null If the package is being replaced or provided but is not really installed, null will be returned as reference
*/
public static function getReference($packageName)
{
foreach (self::getInstalled() as $installed) {
if (!isset($installed['versions'][$packageName])) {
continue;
}
if (!isset($installed['versions'][$packageName]['reference'])) {
return null;
}
return $installed['versions'][$packageName]['reference'];
}
throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
}
/**
* @param string $packageName
* @return string|null If the package is being replaced or provided but is not really installed, null will be returned as install path. Packages of type metapackages also have a null install path.
*/
public static function getInstallPath($packageName)
{
foreach (self::getInstalled() as $installed) {
if (!isset($installed['versions'][$packageName])) {
continue;
}
return isset($installed['versions'][$packageName]['install_path']) ? $installed['versions'][$packageName]['install_path'] : null;
}
throw new \OutOfBoundsException('Package "' . $packageName . '" is not installed');
}
/**
* @return array
* @psalm-return array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}
*/
public static function getRootPackage()
{
$installed = self::getInstalled();
return $installed[0]['root'];
}
/**
* Returns the raw installed.php data for custom implementations
*
* @deprecated Use getAllRawData() instead which returns all datasets for all autoloaders present in the process. getRawData only returns the first dataset loaded, which may not be what you expect.
* @return array[]
* @psalm-return array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>}
*/
public static function getRawData()
{
@trigger_error('getRawData only returns the first dataset loaded, which may not be what you expect. Use getAllRawData() instead which returns all datasets for all autoloaders present in the process.', \E_USER_DEPRECATED);
if (null === self::$installed) {
// only require the installed.php file if this file is loaded from its dumped location,
// and not from its source location in the composer/composer package, see https://github.com/composer/composer/issues/9937
if (substr(__DIR__, -8, 1) !== 'C') {
self::$installed = include __DIR__ . '/installed.php';
} else {
self::$installed = array();
}
}
return self::$installed;
}
/**
* Returns the raw data of all installed.php which are currently loaded for custom implementations
*
* @return array[]
* @psalm-return list<array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>}>
*/
public static function getAllRawData()
{
return self::getInstalled();
}
/**
* Lets you reload the static array from another file
*
* This is only useful for complex integrations in which a project needs to use
* this class but then also needs to execute another project's autoloader in process,
* and wants to ensure both projects have access to their version of installed.php.
*
* A typical case would be PHPUnit, where it would need to make sure it reads all
* the data it needs from this class, then call reload() with
* `require $CWD/vendor/composer/installed.php` (or similar) as input to make sure
* the project in which it runs can then also use this class safely, without
* interference between PHPUnit's dependencies and the project's dependencies.
*
* @param array[] $data A vendor/composer/installed.php data set
* @return void
*
* @psalm-param array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>} $data
*/
public static function reload($data)
{
self::$installed = $data;
self::$installedByVendor = array();
// when using reload, we disable the duplicate protection to ensure that self::$installed data is
// always returned, but we cannot know whether it comes from the installed.php in __DIR__ or not,
// so we have to assume it does not, and that may result in duplicate data being returned when listing
// all installed packages for example
self::$installedIsLocalDir = \false;
}
/**
* @return string
*/
private static function getSelfDir()
{
if (self::$selfDir === null) {
self::$selfDir = strtr(__DIR__, '\\', '/');
}
return self::$selfDir;
}
/**
* @return array[]
* @psalm-return list<array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>}>
*/
private static function getInstalled()
{
if (null === self::$canGetVendors) {
self::$canGetVendors = method_exists('Composer\Autoload\ClassLoader', 'getRegisteredLoaders');
}
$installed = array();
$copiedLocalDir = \false;
if (self::$canGetVendors) {
$selfDir = self::getSelfDir();
foreach (ClassLoader::getRegisteredLoaders() as $vendorDir => $loader) {
$vendorDir = strtr($vendorDir, '\\', '/');
if (isset(self::$installedByVendor[$vendorDir])) {
$installed[] = self::$installedByVendor[$vendorDir];
} elseif (is_file($vendorDir . '/composer/installed.php')) {
/** @var array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>} $required */
$required = require $vendorDir . '/composer/installed.php';
self::$installedByVendor[$vendorDir] = $required;
$installed[] = $required;
if (self::$installed === null && $vendorDir . '/composer' === $selfDir) {
self::$installed = $required;
self::$installedIsLocalDir = \true;
}
}
if (self::$installedIsLocalDir && $vendorDir . '/composer' === $selfDir) {
$copiedLocalDir = \true;
}
}
}
if (null === self::$installed) {
// only require the installed.php file if this file is loaded from its dumped location,
// and not from its source location in the composer/composer package, see https://github.com/composer/composer/issues/9937
if (substr(__DIR__, -8, 1) !== 'C') {
/** @var array{root: array{name: string, pretty_version: string, version: string, reference: string|null, type: string, install_path: string, aliases: string[], dev: bool}, versions: array<string, array{pretty_version?: string, version?: string, reference?: string|null, type?: string, install_path?: string, aliases?: string[], dev_requirement: bool, replaced?: string[], provided?: string[]}>} $required */
$required = require __DIR__ . '/installed.php';
self::$installed = $required;
} else {
self::$installed = array();
}
}
if (self::$installed !== array() && !$copiedLocalDir) {
$installed[] = self::$installed;
}
return $installed;
}
}

View File

@@ -0,0 +1,21 @@
Copyright (c) Nils Adermann, Jordi Boggiano
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.

View File

@@ -0,0 +1,324 @@
<?php
// autoload_classmap.php @generated by Composer
$vendorDir = dirname(__DIR__);
$baseDir = dirname($vendorDir);
return array(
'Composer\\InstalledVersions' => $vendorDir . '/composer/InstalledVersions.php',
'PShowSSO' => $baseDir . '/pshowsso.php',
'Prestashow\\PShowSSO\\Controller\\Admin\\ConfigurationController' => $baseDir . '/src/Controller/Admin/ConfigurationController.php',
'Prestashow\\PShowSSO\\Controller\\Front\\LoginController' => $baseDir . '/src/Controller/Front/LoginController.php',
'Prestashow\\PShowSSO\\Entity\\Relation' => $baseDir . '/src/Entity/Relation.php',
'Prestashow\\PShowSSO\\Exception\\AuthException' => $baseDir . '/src/Exception/AuthException.php',
'Prestashow\\PShowSSO\\Form\\Type\\AbstractSocialType' => $baseDir . '/src/Form/Type/AbstractSocialType.php',
'Prestashow\\PShowSSO\\Link\\Controller\\Admin\\ConfigurationController' => $baseDir . '/src_link/Controller/Admin/ConfigurationController.php',
'Prestashow\\PShowSSO\\Migrations\\Version1' => $baseDir . '/src/Migrations/Version1.php',
'Prestashow\\PShowSSO\\Migrations\\Version2' => $baseDir . '/src/Migrations/Version2.php',
'Prestashow\\PShowSSO\\Model\\UserData' => $baseDir . '/src/Model/UserData.php',
'Prestashow\\PShowSSO\\Module' => $baseDir . '/src/Module.php',
'Prestashow\\PShowSSO\\SSO\\AbstractSSOService' => $baseDir . '/src/SSO/AbstractSSOService.php',
'Prestashow\\PShowSSO\\SSO\\Apple\\AppleService' => $baseDir . '/src/SSO/Apple/AppleService.php',
'Prestashow\\PShowSSO\\SSO\\Apple\\AppleType' => $baseDir . '/src/SSO/Apple/AppleType.php',
'Prestashow\\PShowSSO\\SSO\\Facebook\\FacebookService' => $baseDir . '/src/SSO/Facebook/FacebookService.php',
'Prestashow\\PShowSSO\\SSO\\Facebook\\FacebookType' => $baseDir . '/src/SSO/Facebook/FacebookType.php',
'Prestashow\\PShowSSO\\SSO\\Github\\GithubService' => $baseDir . '/src/SSO/Github/GithubService.php',
'Prestashow\\PShowSSO\\SSO\\Github\\GithubType' => $baseDir . '/src/SSO/Github/GithubType.php',
'Prestashow\\PShowSSO\\SSO\\Google\\GoogleService' => $baseDir . '/src/SSO/Google/GoogleService.php',
'Prestashow\\PShowSSO\\SSO\\Google\\GoogleType' => $baseDir . '/src/SSO/Google/GoogleType.php',
'Prestashow\\PShowSSO\\SSO\\Keycloak\\KeycloakService' => $baseDir . '/src/SSO/Keycloak/KeycloakService.php',
'Prestashow\\PShowSSO\\SSO\\Keycloak\\KeycloakType' => $baseDir . '/src/SSO/Keycloak/KeycloakType.php',
'Prestashow\\PShowSSO\\SSO\\Microsoft\\MicrosoftService' => $baseDir . '/src/SSO/Microsoft/MicrosoftService.php',
'Prestashow\\PShowSSO\\SSO\\Microsoft\\MicrosoftType' => $baseDir . '/src/SSO/Microsoft/MicrosoftType.php',
'Prestashow\\PShowSSO\\SSO\\X\\XService' => $baseDir . '/src/SSO/X/XService.php',
'Prestashow\\PShowSSO\\SSO\\X\\XType' => $baseDir . '/src/SSO/X/XType.php',
'Prestashow\\PShowSSO\\Service\\ConfigurationService' => $baseDir . '/src/Service/ConfigurationService.php',
'Prestashow\\PShowSSO\\Service\\CustomerService' => $baseDir . '/src/Service/CustomerService.php',
'Prestashow\\PShowSSO\\Service\\EncryptionService' => $baseDir . '/src/Service/EncryptionService.php',
'Prestashow\\PrestaBaseV1\\Model\\FrameworkBundleAdminController' => $vendorDir . '/prestashow/presta-base-v1/Model/FrameworkBundleAdminController.php',
'Prestashow\\PrestaCore\\Adapter\\UpdateService' => $vendorDir . '/prestashow/presta-core/Adapter/UpdateService.php',
'Prestashow\\PrestaCore\\Adapter\\UpdateServiceAdapter' => $vendorDir . '/prestashow/presta-core/Adapter/UpdateServiceAdapter.php',
'Prestashow\\PrestaCore\\Controller\\BackupController' => $vendorDir . '/prestashow/presta-core/Controller/BackupController.php',
'Prestashow\\PrestaCore\\Controller\\HookController' => $vendorDir . '/prestashow/presta-core/Controller/HookController.php',
'Prestashow\\PrestaCore\\Controller\\SettingsController' => $vendorDir . '/prestashow/presta-core/Controller/SettingsController.php',
'Prestashow\\PrestaCore\\Controller\\UpdateController' => $vendorDir . '/prestashow/presta-core/Controller/UpdateController.php',
'Prestashow\\PrestaCore\\Database\\Migrations\\AbstractMigration' => $vendorDir . '/prestashow/presta-core/Database/Migrations/AbstractMigration.php',
'Prestashow\\PrestaCore\\Database\\Migrations\\MigrationCoreTool' => $vendorDir . '/prestashow/presta-core/Database/Migrations/MigrationCoreTool.php',
'Prestashow\\PrestaCore\\Database\\Migrations\\MigrationTool' => $vendorDir . '/prestashow/presta-core/Database/Migrations/MigrationTool.php',
'Prestashow\\PrestaCore\\Database\\Migrations\\Version0' => $vendorDir . '/prestashow/presta-core/Database/Migrations/Version0.php',
'Prestashow\\PrestaCore\\Database\\Migrations\\Version1' => $vendorDir . '/prestashow/presta-core/Database/Migrations/Version1.php',
'Prestashow\\PrestaCore\\Entity\\Hook' => $vendorDir . '/prestashow/presta-core/Entity/Hook.php',
'Prestashow\\PrestaCore\\Entity\\Notification' => $vendorDir . '/prestashow/presta-core/Entity/Notification.php',
'Prestashow\\PrestaCore\\Entity\\NotificationRead' => $vendorDir . '/prestashow/presta-core/Entity/NotificationRead.php',
'Prestashow\\PrestaCore\\Exception\\PrestashowException' => $vendorDir . '/prestashow/presta-core/Exception/PrestashowException.php',
'Prestashow\\PrestaCore\\Exception\\UpdateException' => $vendorDir . '/prestashow/presta-core/Exception/UpdateException.php',
'Prestashow\\PrestaCore\\Model\\AbstractAdminController' => $vendorDir . '/prestashow/presta-core/Model/AbstractAdminController.php',
'Prestashow\\PrestaCore\\Model\\AbstractDemoContent' => $vendorDir . '/prestashow/presta-core/Model/AbstractDemoContent.php',
'Prestashow\\PrestaCore\\Model\\AbstractEntity' => $vendorDir . '/prestashow/presta-core/Model/AbstractEntity.php',
'Prestashow\\PrestaCore\\Model\\AbstractModule' => $vendorDir . '/prestashow/presta-core/Model/AbstractModule.php',
'Prestashow\\PrestaCore\\Model\\AbstractRepository' => $vendorDir . '/prestashow/presta-core/Model/AbstractRepository.php',
'Prestashow\\PrestaCore\\Model\\AbstractService' => $vendorDir . '/prestashow/presta-core/Model/AbstractService.php',
'Prestashow\\PrestaCore\\Model\\DemoObjectModel' => $vendorDir . '/prestashow/presta-core/Model/DemoObjectModel.php',
'Prestashow\\PrestaCore\\Model\\ModuleSettings' => $vendorDir . '/prestashow/presta-core/Model/ModuleSettings.php',
'Prestashow\\PrestaCore\\Service\\DatabaseService' => $vendorDir . '/prestashow/presta-core/Service/DatabaseService.php',
'Prestashow\\PrestaCore\\Service\\DemoContentService' => $vendorDir . '/prestashow/presta-core/Service/DemoContentService.php',
'Prestashow\\PrestaCore\\Service\\IniService' => $vendorDir . '/prestashow/presta-core/Service/IniService.php',
'Prestashow\\PrestaCore\\Service\\RecommendationService' => $vendorDir . '/prestashow/presta-core/Service/RecommendationService.php',
'Prestashow\\PrestaCore\\Service\\ToolsService' => $vendorDir . '/prestashow/presta-core/Service/ToolsService.php',
'Prestashow\\PrestaCore\\Service\\TranslationService' => $vendorDir . '/prestashow/presta-core/Service/TranslationService.php',
'Prestashow\\PrestaCore\\Util\\HookOverrideFix' => $vendorDir . '/prestashow/presta-core/Util/HookOverrideFix.php',
'Prestashow\\PrestaUpdate\\Model\\License' => $vendorDir . '/prestashow/presta-update/src/Model/License.php',
'Prestashow\\PrestaUpdate\\Service\\MultistoreService' => $vendorDir . '/prestashow/presta-update/src/Service/MultistoreService.php',
'Prestashow\\PrestaUpdate\\Service\\UpdateService' => $vendorDir . '/prestashow/presta-update/src/Service/UpdateService.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\BeforeValidException' => $vendorDir . '/firebase/php-jwt/src/BeforeValidException.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\CachedKeySet' => $vendorDir . '/firebase/php-jwt/src/CachedKeySet.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\ExpiredException' => $vendorDir . '/firebase/php-jwt/src/ExpiredException.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\JWK' => $vendorDir . '/firebase/php-jwt/src/JWK.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\JWT' => $vendorDir . '/firebase/php-jwt/src/JWT.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\Key' => $vendorDir . '/firebase/php-jwt/src/Key.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\SignatureInvalidException' => $vendorDir . '/firebase/php-jwt/src/SignatureInvalidException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\BodySummarizer' => $vendorDir . '/guzzlehttp/guzzle/src/BodySummarizer.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\BodySummarizerInterface' => $vendorDir . '/guzzlehttp/guzzle/src/BodySummarizerInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Client' => $vendorDir . '/guzzlehttp/guzzle/src/Client.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\ClientInterface' => $vendorDir . '/guzzlehttp/guzzle/src/ClientInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\ClientTrait' => $vendorDir . '/guzzlehttp/guzzle/src/ClientTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Cookie\\CookieJar' => $vendorDir . '/guzzlehttp/guzzle/src/Cookie/CookieJar.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Cookie\\CookieJarInterface' => $vendorDir . '/guzzlehttp/guzzle/src/Cookie/CookieJarInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Cookie\\FileCookieJar' => $vendorDir . '/guzzlehttp/guzzle/src/Cookie/FileCookieJar.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Cookie\\SessionCookieJar' => $vendorDir . '/guzzlehttp/guzzle/src/Cookie/SessionCookieJar.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Cookie\\SetCookie' => $vendorDir . '/guzzlehttp/guzzle/src/Cookie/SetCookie.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\BadResponseException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/BadResponseException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\ClientException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/ClientException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\ConnectException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/ConnectException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\GuzzleException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/GuzzleException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\InvalidArgumentException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/InvalidArgumentException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\RequestException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/RequestException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\ServerException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/ServerException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\TooManyRedirectsException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/TooManyRedirectsException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\TransferException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/TransferException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\HandlerStack' => $vendorDir . '/guzzlehttp/guzzle/src/HandlerStack.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\CurlFactory' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/CurlFactory.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\CurlFactoryInterface' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/CurlFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\CurlHandler' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/CurlHandler.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\CurlMultiHandler' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/CurlMultiHandler.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\EasyHandle' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/EasyHandle.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\HeaderProcessor' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/HeaderProcessor.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\MockHandler' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/MockHandler.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\Proxy' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/Proxy.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\StreamHandler' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/StreamHandler.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\MessageFormatter' => $vendorDir . '/guzzlehttp/guzzle/src/MessageFormatter.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\MessageFormatterInterface' => $vendorDir . '/guzzlehttp/guzzle/src/MessageFormatterInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Middleware' => $vendorDir . '/guzzlehttp/guzzle/src/Middleware.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Pool' => $vendorDir . '/guzzlehttp/guzzle/src/Pool.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\PrepareBodyMiddleware' => $vendorDir . '/guzzlehttp/guzzle/src/PrepareBodyMiddleware.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\AggregateException' => $vendorDir . '/guzzlehttp/promises/src/AggregateException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\CancellationException' => $vendorDir . '/guzzlehttp/promises/src/CancellationException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Coroutine' => $vendorDir . '/guzzlehttp/promises/src/Coroutine.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Create' => $vendorDir . '/guzzlehttp/promises/src/Create.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Each' => $vendorDir . '/guzzlehttp/promises/src/Each.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\EachPromise' => $vendorDir . '/guzzlehttp/promises/src/EachPromise.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\FulfilledPromise' => $vendorDir . '/guzzlehttp/promises/src/FulfilledPromise.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Is' => $vendorDir . '/guzzlehttp/promises/src/Is.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Promise' => $vendorDir . '/guzzlehttp/promises/src/Promise.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\PromiseInterface' => $vendorDir . '/guzzlehttp/promises/src/PromiseInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\PromisorInterface' => $vendorDir . '/guzzlehttp/promises/src/PromisorInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\RejectedPromise' => $vendorDir . '/guzzlehttp/promises/src/RejectedPromise.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\RejectionException' => $vendorDir . '/guzzlehttp/promises/src/RejectionException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\TaskQueue' => $vendorDir . '/guzzlehttp/promises/src/TaskQueue.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\TaskQueueInterface' => $vendorDir . '/guzzlehttp/promises/src/TaskQueueInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Utils' => $vendorDir . '/guzzlehttp/promises/src/Utils.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\AppendStream' => $vendorDir . '/guzzlehttp/psr7/src/AppendStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\BufferStream' => $vendorDir . '/guzzlehttp/psr7/src/BufferStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\CachingStream' => $vendorDir . '/guzzlehttp/psr7/src/CachingStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\DroppingStream' => $vendorDir . '/guzzlehttp/psr7/src/DroppingStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Exception\\MalformedUriException' => $vendorDir . '/guzzlehttp/psr7/src/Exception/MalformedUriException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\FnStream' => $vendorDir . '/guzzlehttp/psr7/src/FnStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Header' => $vendorDir . '/guzzlehttp/psr7/src/Header.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\HttpFactory' => $vendorDir . '/guzzlehttp/psr7/src/HttpFactory.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\InflateStream' => $vendorDir . '/guzzlehttp/psr7/src/InflateStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\LazyOpenStream' => $vendorDir . '/guzzlehttp/psr7/src/LazyOpenStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\LimitStream' => $vendorDir . '/guzzlehttp/psr7/src/LimitStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Message' => $vendorDir . '/guzzlehttp/psr7/src/Message.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\MessageTrait' => $vendorDir . '/guzzlehttp/psr7/src/MessageTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\MimeType' => $vendorDir . '/guzzlehttp/psr7/src/MimeType.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\MultipartStream' => $vendorDir . '/guzzlehttp/psr7/src/MultipartStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\NoSeekStream' => $vendorDir . '/guzzlehttp/psr7/src/NoSeekStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\PumpStream' => $vendorDir . '/guzzlehttp/psr7/src/PumpStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Query' => $vendorDir . '/guzzlehttp/psr7/src/Query.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Request' => $vendorDir . '/guzzlehttp/psr7/src/Request.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Response' => $vendorDir . '/guzzlehttp/psr7/src/Response.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Rfc7230' => $vendorDir . '/guzzlehttp/psr7/src/Rfc7230.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\ServerRequest' => $vendorDir . '/guzzlehttp/psr7/src/ServerRequest.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Stream' => $vendorDir . '/guzzlehttp/psr7/src/Stream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\StreamDecoratorTrait' => $vendorDir . '/guzzlehttp/psr7/src/StreamDecoratorTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\StreamWrapper' => $vendorDir . '/guzzlehttp/psr7/src/StreamWrapper.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\UploadedFile' => $vendorDir . '/guzzlehttp/psr7/src/UploadedFile.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Uri' => $vendorDir . '/guzzlehttp/psr7/src/Uri.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\UriComparator' => $vendorDir . '/guzzlehttp/psr7/src/UriComparator.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\UriNormalizer' => $vendorDir . '/guzzlehttp/psr7/src/UriNormalizer.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\UriResolver' => $vendorDir . '/guzzlehttp/psr7/src/UriResolver.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Utils' => $vendorDir . '/guzzlehttp/psr7/src/Utils.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\RedirectMiddleware' => $vendorDir . '/guzzlehttp/guzzle/src/RedirectMiddleware.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\RequestOptions' => $vendorDir . '/guzzlehttp/guzzle/src/RequestOptions.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\RetryMiddleware' => $vendorDir . '/guzzlehttp/guzzle/src/RetryMiddleware.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\TransferStats' => $vendorDir . '/guzzlehttp/guzzle/src/TransferStats.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Utils' => $vendorDir . '/guzzlehttp/guzzle/src/Utils.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Builder' => $vendorDir . '/lcobucci/jwt/src/Builder.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim' => $vendorDir . '/lcobucci/jwt/src/Claim.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\Basic' => $vendorDir . '/lcobucci/jwt/src/Claim/Basic.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\EqualsTo' => $vendorDir . '/lcobucci/jwt/src/Claim/EqualsTo.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\Factory' => $vendorDir . '/lcobucci/jwt/src/Claim/Factory.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\GreaterOrEqualsTo' => $vendorDir . '/lcobucci/jwt/src/Claim/GreaterOrEqualsTo.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\LesserOrEqualsTo' => $vendorDir . '/lcobucci/jwt/src/Claim/LesserOrEqualsTo.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\Validatable' => $vendorDir . '/lcobucci/jwt/src/Claim/Validatable.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Configuration' => $vendorDir . '/lcobucci/jwt/src/Configuration.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Encoding\\CannotDecodeContent' => $vendorDir . '/lcobucci/jwt/src/Encoding/CannotDecodeContent.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Encoding\\CannotEncodeContent' => $vendorDir . '/lcobucci/jwt/src/Encoding/CannotEncodeContent.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Exception' => $vendorDir . '/lcobucci/jwt/src/Exception.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Parser' => $vendorDir . '/lcobucci/jwt/src/Parser.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Parsing\\Decoder' => $vendorDir . '/lcobucci/jwt/src/Parsing/Decoder.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Parsing\\Encoder' => $vendorDir . '/lcobucci/jwt/src/Parsing/Encoder.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signature' => $vendorDir . '/lcobucci/jwt/src/Signature.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer' => $vendorDir . '/lcobucci/jwt/src/Signer.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\BaseSigner' => $vendorDir . '/lcobucci/jwt/src/Signer/BaseSigner.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\CannotSignPayload' => $vendorDir . '/lcobucci/jwt/src/Signer/CannotSignPayload.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa' => $vendorDir . '/lcobucci/jwt/src/Signer/Ecdsa.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\ConversionFailed' => $vendorDir . '/lcobucci/jwt/src/Signer/Ecdsa/ConversionFailed.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\MultibyteStringConverter' => $vendorDir . '/lcobucci/jwt/src/Signer/Ecdsa/MultibyteStringConverter.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\Sha256' => $vendorDir . '/lcobucci/jwt/src/Signer/Ecdsa/Sha256.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\Sha384' => $vendorDir . '/lcobucci/jwt/src/Signer/Ecdsa/Sha384.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\Sha512' => $vendorDir . '/lcobucci/jwt/src/Signer/Ecdsa/Sha512.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\SignatureConverter' => $vendorDir . '/lcobucci/jwt/src/Signer/Ecdsa/SignatureConverter.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Hmac' => $vendorDir . '/lcobucci/jwt/src/Signer/Hmac.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Hmac\\Sha256' => $vendorDir . '/lcobucci/jwt/src/Signer/Hmac/Sha256.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Hmac\\Sha384' => $vendorDir . '/lcobucci/jwt/src/Signer/Hmac/Sha384.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Hmac\\Sha512' => $vendorDir . '/lcobucci/jwt/src/Signer/Hmac/Sha512.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\InvalidKeyProvided' => $vendorDir . '/lcobucci/jwt/src/Signer/InvalidKeyProvided.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Key' => $vendorDir . '/lcobucci/jwt/src/Signer/Key.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Key\\FileCouldNotBeRead' => $vendorDir . '/lcobucci/jwt/src/Signer/Key/FileCouldNotBeRead.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Key\\InMemory' => $vendorDir . '/lcobucci/jwt/src/Signer/Key/InMemory.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Key\\LocalFileReference' => $vendorDir . '/lcobucci/jwt/src/Signer/Key/LocalFileReference.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Keychain' => $vendorDir . '/lcobucci/jwt/src/Signer/Keychain.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\None' => $vendorDir . '/lcobucci/jwt/src/Signer/None.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\OpenSSL' => $vendorDir . '/lcobucci/jwt/src/Signer/OpenSSL.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Rsa' => $vendorDir . '/lcobucci/jwt/src/Signer/Rsa.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Rsa\\Sha256' => $vendorDir . '/lcobucci/jwt/src/Signer/Rsa/Sha256.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Rsa\\Sha384' => $vendorDir . '/lcobucci/jwt/src/Signer/Rsa/Sha384.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Rsa\\Sha512' => $vendorDir . '/lcobucci/jwt/src/Signer/Rsa/Sha512.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token' => $vendorDir . '/lcobucci/jwt/src/Token.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token\\DataSet' => $vendorDir . '/lcobucci/jwt/src/Token/DataSet.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token\\InvalidTokenStructure' => $vendorDir . '/lcobucci/jwt/src/Token/InvalidTokenStructure.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token\\RegisteredClaimGiven' => $vendorDir . '/lcobucci/jwt/src/Token/RegisteredClaimGiven.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token\\RegisteredClaims' => $vendorDir . '/lcobucci/jwt/src/Token/RegisteredClaims.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token\\UnsupportedHeaderFound' => $vendorDir . '/lcobucci/jwt/src/Token/UnsupportedHeaderFound.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\ValidationData' => $vendorDir . '/lcobucci/jwt/src/ValidationData.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint' => $vendorDir . '/lcobucci/jwt/src/Validation/Constraint.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\ConstraintViolation' => $vendorDir . '/lcobucci/jwt/src/Validation/ConstraintViolation.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\IdentifiedBy' => $vendorDir . '/lcobucci/jwt/src/Validation/Constraint/IdentifiedBy.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\IssuedBy' => $vendorDir . '/lcobucci/jwt/src/Validation/Constraint/IssuedBy.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\LeewayCannotBeNegative' => $vendorDir . '/lcobucci/jwt/src/Validation/Constraint/LeewayCannotBeNegative.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\PermittedFor' => $vendorDir . '/lcobucci/jwt/src/Validation/Constraint/PermittedFor.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\RelatedTo' => $vendorDir . '/lcobucci/jwt/src/Validation/Constraint/RelatedTo.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\SignedWith' => $vendorDir . '/lcobucci/jwt/src/Validation/Constraint/SignedWith.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\ValidAt' => $vendorDir . '/lcobucci/jwt/src/Validation/Constraint/ValidAt.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\NoConstraintsGiven' => $vendorDir . '/lcobucci/jwt/src/Validation/NoConstraintsGiven.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\RequiredConstraintsViolated' => $vendorDir . '/lcobucci/jwt/src/Validation/RequiredConstraintsViolated.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Validator' => $vendorDir . '/lcobucci/jwt/src/Validation/Validator.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validator' => $vendorDir . '/lcobucci/jwt/src/Validator.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Exception\\HostedDomainException' => $vendorDir . '/league/oauth2-google/src/Exception/HostedDomainException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\AbstractGrant' => $vendorDir . '/league/oauth2-client/src/Grant/AbstractGrant.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\AuthorizationCode' => $vendorDir . '/league/oauth2-client/src/Grant/AuthorizationCode.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\ClientCredentials' => $vendorDir . '/league/oauth2-client/src/Grant/ClientCredentials.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\Exception\\InvalidGrantException' => $vendorDir . '/league/oauth2-client/src/Grant/Exception/InvalidGrantException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\FbExchangeToken' => $vendorDir . '/league/oauth2-facebook/src/Grant/FbExchangeToken.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\GrantFactory' => $vendorDir . '/league/oauth2-client/src/Grant/GrantFactory.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\Password' => $vendorDir . '/league/oauth2-client/src/Grant/Password.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\RefreshToken' => $vendorDir . '/league/oauth2-client/src/Grant/RefreshToken.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\OptionProvider\\HttpBasicAuthOptionProvider' => $vendorDir . '/league/oauth2-client/src/OptionProvider/HttpBasicAuthOptionProvider.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\OptionProvider\\OptionProviderInterface' => $vendorDir . '/league/oauth2-client/src/OptionProvider/OptionProviderInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\OptionProvider\\PostAuthOptionProvider' => $vendorDir . '/league/oauth2-client/src/OptionProvider/PostAuthOptionProvider.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\AbstractProvider' => $vendorDir . '/league/oauth2-client/src/Provider/AbstractProvider.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\AppSecretProof' => $vendorDir . '/league/oauth2-facebook/src/Provider/AppSecretProof.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Apple' => $vendorDir . '/patrickbussmann/oauth2-apple/src/Provider/Apple.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\AppleResourceOwner' => $vendorDir . '/patrickbussmann/oauth2-apple/src/Provider/AppleResourceOwner.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Exception\\AppleAccessDeniedException' => $vendorDir . '/patrickbussmann/oauth2-apple/src/Provider/Exception/AppleAccessDeniedException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Exception\\FacebookProviderException' => $vendorDir . '/league/oauth2-facebook/src/Provider/Exception/FacebookProviderException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Exception\\GithubIdentityProviderException' => $vendorDir . '/league/oauth2-github/src/Provider/Exception/GithubIdentityProviderException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Exception\\IdentityProviderException' => $vendorDir . '/league/oauth2-client/src/Provider/Exception/IdentityProviderException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Facebook' => $vendorDir . '/league/oauth2-facebook/src/Provider/Facebook.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\FacebookUser' => $vendorDir . '/league/oauth2-facebook/src/Provider/FacebookUser.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\GenericProvider' => $vendorDir . '/league/oauth2-client/src/Provider/GenericProvider.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\GenericResourceOwner' => $vendorDir . '/league/oauth2-client/src/Provider/GenericResourceOwner.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Github' => $vendorDir . '/league/oauth2-github/src/Provider/Github.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\GithubResourceOwner' => $vendorDir . '/league/oauth2-github/src/Provider/GithubResourceOwner.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Google' => $vendorDir . '/league/oauth2-google/src/Provider/Google.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\GoogleUser' => $vendorDir . '/league/oauth2-google/src/Provider/GoogleUser.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\ResourceOwnerInterface' => $vendorDir . '/league/oauth2-client/src/Provider/ResourceOwnerInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Token\\AccessToken' => $vendorDir . '/league/oauth2-client/src/Token/AccessToken.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Token\\AccessTokenInterface' => $vendorDir . '/league/oauth2-client/src/Token/AccessTokenInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Token\\AppleAccessToken' => $vendorDir . '/patrickbussmann/oauth2-apple/src/Token/AppleAccessToken.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Token\\ResourceOwnerAccessTokenInterface' => $vendorDir . '/league/oauth2-client/src/Token/ResourceOwnerAccessTokenInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\ArrayAccessorTrait' => $vendorDir . '/league/oauth2-client/src/Tool/ArrayAccessorTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\BearerAuthorizationTrait' => $vendorDir . '/league/oauth2-client/src/Tool/BearerAuthorizationTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\GuardedPropertyTrait' => $vendorDir . '/league/oauth2-client/src/Tool/GuardedPropertyTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\MacAuthorizationTrait' => $vendorDir . '/league/oauth2-client/src/Tool/MacAuthorizationTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\ProviderRedirectTrait' => $vendorDir . '/league/oauth2-client/src/Tool/ProviderRedirectTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\QueryBuilderTrait' => $vendorDir . '/league/oauth2-client/src/Tool/QueryBuilderTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\RequestFactory' => $vendorDir . '/league/oauth2-client/src/Tool/RequestFactory.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\RequiredParameterTrait' => $vendorDir . '/league/oauth2-client/src/Tool/RequiredParameterTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\ClientExceptionInterface' => $vendorDir . '/psr/http-client/src/ClientExceptionInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\ClientInterface' => $vendorDir . '/psr/http-client/src/ClientInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\NetworkExceptionInterface' => $vendorDir . '/psr/http-client/src/NetworkExceptionInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\RequestExceptionInterface' => $vendorDir . '/psr/http-client/src/RequestExceptionInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\MessageInterface' => $vendorDir . '/psr/http-message/src/MessageInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\RequestFactoryInterface' => $vendorDir . '/psr/http-factory/src/RequestFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\RequestInterface' => $vendorDir . '/psr/http-message/src/RequestInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\ResponseFactoryInterface' => $vendorDir . '/psr/http-factory/src/ResponseFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\ResponseInterface' => $vendorDir . '/psr/http-message/src/ResponseInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\ServerRequestFactoryInterface' => $vendorDir . '/psr/http-factory/src/ServerRequestFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\ServerRequestInterface' => $vendorDir . '/psr/http-message/src/ServerRequestInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\StreamFactoryInterface' => $vendorDir . '/psr/http-factory/src/StreamFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\StreamInterface' => $vendorDir . '/psr/http-message/src/StreamInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\UploadedFileFactoryInterface' => $vendorDir . '/psr/http-factory/src/UploadedFileFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\UploadedFileInterface' => $vendorDir . '/psr/http-message/src/UploadedFileInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\UriFactoryInterface' => $vendorDir . '/psr/http-factory/src/UriFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\UriInterface' => $vendorDir . '/psr/http-message/src/UriInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Smolblog\\OAuth2\\Client\\Provider\\Twitter' => $vendorDir . '/smolblog/oauth2-twitter/src/Twitter.php',
'Pshowsso\\Scope68f5e85e9608b\\Smolblog\\OAuth2\\Client\\Provider\\TwitterUser' => $vendorDir . '/smolblog/oauth2-twitter/src/TwitterUser.php',
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\Provider\\Exception\\EncryptionConfigurationException' => $vendorDir . '/stevenmaguire/oauth2-keycloak/src/Provider/Exception/EncryptionConfigurationException.php',
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\Provider\\Keycloak' => $vendorDir . '/stevenmaguire/oauth2-keycloak/src/Provider/Keycloak.php',
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\Provider\\KeycloakResourceOwner' => $vendorDir . '/stevenmaguire/oauth2-keycloak/src/Provider/KeycloakResourceOwner.php',
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\Provider\\Microsoft' => $vendorDir . '/stevenmaguire/oauth2-microsoft/src/Provider/Microsoft.php',
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\Provider\\MicrosoftResourceOwner' => $vendorDir . '/stevenmaguire/oauth2-microsoft/src/Provider/MicrosoftResourceOwner.php',
'RandomLib\\AbstractMcryptMixer' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/AbstractMcryptMixer.php',
'RandomLib\\AbstractMixer' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/AbstractMixer.php',
'RandomLib\\AbstractSource' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/AbstractSource.php',
'RandomLib\\Factory' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Factory.php',
'RandomLib\\Generator' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Generator.php',
'RandomLib\\Mixer' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Mixer.php',
'RandomLib\\Mixer\\Hash' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Mixer/Hash.php',
'RandomLib\\Mixer\\McryptRijndael128' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Mixer/McryptRijndael128.php',
'RandomLib\\Mixer\\SodiumMixer' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Mixer/SodiumMixer.php',
'RandomLib\\Mixer\\XorMixer' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Mixer/XorMixer.php',
'RandomLib\\Source' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Source.php',
'RandomLib\\Source\\CAPICOM' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Source/CAPICOM.php',
'RandomLib\\Source\\MTRand' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Source/MTRand.php',
'RandomLib\\Source\\MicroTime' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Source/MicroTime.php',
'RandomLib\\Source\\OpenSSL' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Source/OpenSSL.php',
'RandomLib\\Source\\Rand' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Source/Rand.php',
'RandomLib\\Source\\RandomBytes' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Source/RandomBytes.php',
'RandomLib\\Source\\Sodium' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Source/Sodium.php',
'RandomLib\\Source\\URandom' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Source/URandom.php',
'RandomLib\\Source\\UniqID' => $vendorDir . '/paragonie/random-lib/lib/RandomLib/Source/UniqID.php',
'SecurityLib\\AbstractFactory' => $vendorDir . '/ircmaxell/security-lib/lib/SecurityLib/AbstractFactory.php',
'SecurityLib\\BaseConverter' => $vendorDir . '/ircmaxell/security-lib/lib/SecurityLib/BaseConverter.php',
'SecurityLib\\BigMath' => $vendorDir . '/ircmaxell/security-lib/lib/SecurityLib/BigMath.php',
'SecurityLib\\BigMath\\BCMath' => $vendorDir . '/ircmaxell/security-lib/lib/SecurityLib/BigMath/BCMath.php',
'SecurityLib\\BigMath\\GMP' => $vendorDir . '/ircmaxell/security-lib/lib/SecurityLib/BigMath/GMP.php',
'SecurityLib\\BigMath\\PHPMath' => $vendorDir . '/ircmaxell/security-lib/lib/SecurityLib/BigMath/PHPMath.php',
'SecurityLib\\Enum' => $vendorDir . '/ircmaxell/security-lib/lib/SecurityLib/Enum.php',
'SecurityLib\\Hash' => $vendorDir . '/ircmaxell/security-lib/lib/SecurityLib/Hash.php',
'SecurityLib\\Strength' => $vendorDir . '/ircmaxell/security-lib/lib/SecurityLib/Strength.php',
'SecurityLib\\Util' => $vendorDir . '/ircmaxell/security-lib/lib/SecurityLib/Util.php',
);

View File

@@ -0,0 +1,17 @@
<?php
// autoload_files.php @generated by Composer
$vendorDir = dirname(__DIR__);
$baseDir = dirname($vendorDir);
return array(
'7b11c4dc42b3b3023073cb14e519683c' => $vendorDir . '/ralouphie/getallheaders/src/getallheaders.php',
'6e3fae29631ef280660b3cdad06f25a8' => $vendorDir . '/symfony/deprecation-contracts/function.php',
'37a3dc5111fe8f707ab4c132ef1dbc62' => $vendorDir . '/guzzlehttp/guzzle/src/functions_include.php',
'3109cb1a231dcd04bee1f9f620d46975' => $vendorDir . '/paragonie/sodium_compat/autoload.php',
'256c1545158fc915c75e51a931bdba60' => $vendorDir . '/lcobucci/jwt/compat/class-aliases.php',
'0d273777b2b0d96e49fb3d800c6b0e81' => $vendorDir . '/lcobucci/jwt/compat/json-exception-polyfill.php',
'd6b246ac924292702635bb2349f4a64b' => $vendorDir . '/lcobucci/jwt/compat/lcobucci-clock-polyfill.php',
'ab61278cdcb3146ba97a98fca5e65a0d' => $vendorDir . '/prestashow/presta-core/autoload.php',
);

View File

@@ -0,0 +1,9 @@
<?php
// autoload_namespaces.php @generated by Composer
$vendorDir = dirname(__DIR__);
$baseDir = dirname($vendorDir);
return array(
);

View File

@@ -0,0 +1,26 @@
<?php
// autoload_psr4.php @generated by Composer
$vendorDir = dirname(__DIR__);
$baseDir = dirname($vendorDir);
return array(
'SecurityLib\\' => array($vendorDir . '/ircmaxell/security-lib/lib/SecurityLib'),
'RandomLib\\' => array($vendorDir . '/paragonie/random-lib/lib/RandomLib'),
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\' => array($vendorDir . '/stevenmaguire/oauth2-microsoft/src', $vendorDir . '/stevenmaguire/oauth2-keycloak/src'),
'Pshowsso\\Scope68f5e85e9608b\\Smolblog\\OAuth2\\Client\\Provider\\' => array($vendorDir . '/smolblog/oauth2-twitter/src'),
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\' => array($vendorDir . '/psr/http-factory/src', $vendorDir . '/psr/http-message/src'),
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\' => array($vendorDir . '/psr/http-client/src'),
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\' => array($vendorDir . '/patrickbussmann/oauth2-apple/src', $vendorDir . '/league/oauth2-google/src', $vendorDir . '/league/oauth2-github/src', $vendorDir . '/league/oauth2-facebook/src', $vendorDir . '/league/oauth2-client/src'),
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\' => array($vendorDir . '/lcobucci/jwt/src'),
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\' => array($vendorDir . '/guzzlehttp/psr7/src'),
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\' => array($vendorDir . '/guzzlehttp/promises/src'),
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\' => array($vendorDir . '/guzzlehttp/guzzle/src'),
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\' => array($vendorDir . '/firebase/php-jwt/src'),
'Prestashow\\PrestaUpdate\\' => array($vendorDir . '/prestashow/presta-update/src'),
'Prestashow\\PrestaCore\\' => array($vendorDir . '/prestashow/presta-core'),
'Prestashow\\PrestaBaseV1\\' => array($vendorDir . '/prestashow/presta-base-v1'),
'Prestashow\\PShowSSO\\Link\\' => array($baseDir . '/src_link'),
'Prestashow\\PShowSSO\\' => array($baseDir . '/src'),
);

View File

@@ -0,0 +1,51 @@
<?php
// autoload_real.php @generated by Composer
class ComposerAutoloaderInit1fe0ff0d67b43eae12bae30ad0ff3129
{
private static $loader;
public static function loadClassLoader($class)
{
if ('Composer\Autoload\ClassLoader' === $class) {
require __DIR__ . '/ClassLoader.php';
}
}
/**
* @return \Composer\Autoload\ClassLoader
*/
public static function getLoader()
{
if (null !== self::$loader) {
return self::$loader;
}
require __DIR__ . '/platform_check.php';
spl_autoload_register(array('ComposerAutoloaderInit1fe0ff0d67b43eae12bae30ad0ff3129', 'loadClassLoader'), true, false);
self::$loader = $loader = new \Composer\Autoload\ClassLoader(\dirname(__DIR__));
spl_autoload_unregister(array('ComposerAutoloaderInit1fe0ff0d67b43eae12bae30ad0ff3129', 'loadClassLoader'));
require __DIR__ . '/autoload_static.php';
call_user_func(\Composer\Autoload\ComposerStaticInit1fe0ff0d67b43eae12bae30ad0ff3129::getInitializer($loader));
$loader->setClassMapAuthoritative(true);
$loader->register(false);
$filesToLoad = \Composer\Autoload\ComposerStaticInit1fe0ff0d67b43eae12bae30ad0ff3129::$files;
$requireFile = \Closure::bind(static function ($fileIdentifier, $file) {
if (empty($GLOBALS['__composer_autoload_files'][$fileIdentifier])) {
$GLOBALS['__composer_autoload_files'][$fileIdentifier] = true;
require $file;
}
}, null, null);
foreach ($filesToLoad as $fileIdentifier => $file) {
$requireFile($fileIdentifier, $file);
}
return $loader;
}
}

View File

@@ -0,0 +1,453 @@
<?php
// autoload_static.php @generated by Composer
namespace Composer\Autoload;
class ComposerStaticInit1fe0ff0d67b43eae12bae30ad0ff3129
{
public static $files = array (
'7b11c4dc42b3b3023073cb14e519683c' => __DIR__ . '/..' . '/ralouphie/getallheaders/src/getallheaders.php',
'6e3fae29631ef280660b3cdad06f25a8' => __DIR__ . '/..' . '/symfony/deprecation-contracts/function.php',
'37a3dc5111fe8f707ab4c132ef1dbc62' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/functions_include.php',
'3109cb1a231dcd04bee1f9f620d46975' => __DIR__ . '/..' . '/paragonie/sodium_compat/autoload.php',
'256c1545158fc915c75e51a931bdba60' => __DIR__ . '/..' . '/lcobucci/jwt/compat/class-aliases.php',
'0d273777b2b0d96e49fb3d800c6b0e81' => __DIR__ . '/..' . '/lcobucci/jwt/compat/json-exception-polyfill.php',
'd6b246ac924292702635bb2349f4a64b' => __DIR__ . '/..' . '/lcobucci/jwt/compat/lcobucci-clock-polyfill.php',
'ab61278cdcb3146ba97a98fca5e65a0d' => __DIR__ . '/..' . '/prestashow/presta-core/autoload.php',
);
public static $prefixLengthsPsr4 = array (
'S' =>
array (
'SecurityLib\\' => 12,
),
'R' =>
array (
'RandomLib\\' => 10,
),
'P' =>
array (
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\' => 56,
'Pshowsso\\Scope68f5e85e9608b\\Smolblog\\OAuth2\\Client\\Provider\\' => 60,
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\' => 45,
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\' => 44,
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\' => 49,
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\' => 41,
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\' => 44,
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\' => 47,
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\' => 39,
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\' => 41,
'Prestashow\\PrestaUpdate\\' => 24,
'Prestashow\\PrestaCore\\' => 22,
'Prestashow\\PrestaBaseV1\\' => 24,
'Prestashow\\PShowSSO\\Link\\' => 25,
'Prestashow\\PShowSSO\\' => 20,
),
);
public static $prefixDirsPsr4 = array (
'SecurityLib\\' =>
array (
0 => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib',
),
'RandomLib\\' =>
array (
0 => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib',
),
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\' =>
array (
0 => __DIR__ . '/..' . '/stevenmaguire/oauth2-microsoft/src',
1 => __DIR__ . '/..' . '/stevenmaguire/oauth2-keycloak/src',
),
'Pshowsso\\Scope68f5e85e9608b\\Smolblog\\OAuth2\\Client\\Provider\\' =>
array (
0 => __DIR__ . '/..' . '/smolblog/oauth2-twitter/src',
),
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\' =>
array (
0 => __DIR__ . '/..' . '/psr/http-factory/src',
1 => __DIR__ . '/..' . '/psr/http-message/src',
),
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\' =>
array (
0 => __DIR__ . '/..' . '/psr/http-client/src',
),
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\' =>
array (
0 => __DIR__ . '/..' . '/patrickbussmann/oauth2-apple/src',
1 => __DIR__ . '/..' . '/league/oauth2-google/src',
2 => __DIR__ . '/..' . '/league/oauth2-github/src',
3 => __DIR__ . '/..' . '/league/oauth2-facebook/src',
4 => __DIR__ . '/..' . '/league/oauth2-client/src',
),
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\' =>
array (
0 => __DIR__ . '/..' . '/lcobucci/jwt/src',
),
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\' =>
array (
0 => __DIR__ . '/..' . '/guzzlehttp/psr7/src',
),
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\' =>
array (
0 => __DIR__ . '/..' . '/guzzlehttp/promises/src',
),
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\' =>
array (
0 => __DIR__ . '/..' . '/guzzlehttp/guzzle/src',
),
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\' =>
array (
0 => __DIR__ . '/..' . '/firebase/php-jwt/src',
),
'Prestashow\\PrestaUpdate\\' =>
array (
0 => __DIR__ . '/..' . '/prestashow/presta-update/src',
),
'Prestashow\\PrestaCore\\' =>
array (
0 => __DIR__ . '/..' . '/prestashow/presta-core',
),
'Prestashow\\PrestaBaseV1\\' =>
array (
0 => __DIR__ . '/..' . '/prestashow/presta-base-v1',
),
'Prestashow\\PShowSSO\\Link\\' =>
array (
0 => __DIR__ . '/../..' . '/src_link',
),
'Prestashow\\PShowSSO\\' =>
array (
0 => __DIR__ . '/../..' . '/src',
),
);
public static $classMap = array (
'Composer\\InstalledVersions' => __DIR__ . '/..' . '/composer/InstalledVersions.php',
'PShowSSO' => __DIR__ . '/../..' . '/pshowsso.php',
'Prestashow\\PShowSSO\\Controller\\Admin\\ConfigurationController' => __DIR__ . '/../..' . '/src/Controller/Admin/ConfigurationController.php',
'Prestashow\\PShowSSO\\Controller\\Front\\LoginController' => __DIR__ . '/../..' . '/src/Controller/Front/LoginController.php',
'Prestashow\\PShowSSO\\Entity\\Relation' => __DIR__ . '/../..' . '/src/Entity/Relation.php',
'Prestashow\\PShowSSO\\Exception\\AuthException' => __DIR__ . '/../..' . '/src/Exception/AuthException.php',
'Prestashow\\PShowSSO\\Form\\Type\\AbstractSocialType' => __DIR__ . '/../..' . '/src/Form/Type/AbstractSocialType.php',
'Prestashow\\PShowSSO\\Link\\Controller\\Admin\\ConfigurationController' => __DIR__ . '/../..' . '/src_link/Controller/Admin/ConfigurationController.php',
'Prestashow\\PShowSSO\\Migrations\\Version1' => __DIR__ . '/../..' . '/src/Migrations/Version1.php',
'Prestashow\\PShowSSO\\Migrations\\Version2' => __DIR__ . '/../..' . '/src/Migrations/Version2.php',
'Prestashow\\PShowSSO\\Model\\UserData' => __DIR__ . '/../..' . '/src/Model/UserData.php',
'Prestashow\\PShowSSO\\Module' => __DIR__ . '/../..' . '/src/Module.php',
'Prestashow\\PShowSSO\\SSO\\AbstractSSOService' => __DIR__ . '/../..' . '/src/SSO/AbstractSSOService.php',
'Prestashow\\PShowSSO\\SSO\\Apple\\AppleService' => __DIR__ . '/../..' . '/src/SSO/Apple/AppleService.php',
'Prestashow\\PShowSSO\\SSO\\Apple\\AppleType' => __DIR__ . '/../..' . '/src/SSO/Apple/AppleType.php',
'Prestashow\\PShowSSO\\SSO\\Facebook\\FacebookService' => __DIR__ . '/../..' . '/src/SSO/Facebook/FacebookService.php',
'Prestashow\\PShowSSO\\SSO\\Facebook\\FacebookType' => __DIR__ . '/../..' . '/src/SSO/Facebook/FacebookType.php',
'Prestashow\\PShowSSO\\SSO\\Github\\GithubService' => __DIR__ . '/../..' . '/src/SSO/Github/GithubService.php',
'Prestashow\\PShowSSO\\SSO\\Github\\GithubType' => __DIR__ . '/../..' . '/src/SSO/Github/GithubType.php',
'Prestashow\\PShowSSO\\SSO\\Google\\GoogleService' => __DIR__ . '/../..' . '/src/SSO/Google/GoogleService.php',
'Prestashow\\PShowSSO\\SSO\\Google\\GoogleType' => __DIR__ . '/../..' . '/src/SSO/Google/GoogleType.php',
'Prestashow\\PShowSSO\\SSO\\Keycloak\\KeycloakService' => __DIR__ . '/../..' . '/src/SSO/Keycloak/KeycloakService.php',
'Prestashow\\PShowSSO\\SSO\\Keycloak\\KeycloakType' => __DIR__ . '/../..' . '/src/SSO/Keycloak/KeycloakType.php',
'Prestashow\\PShowSSO\\SSO\\Microsoft\\MicrosoftService' => __DIR__ . '/../..' . '/src/SSO/Microsoft/MicrosoftService.php',
'Prestashow\\PShowSSO\\SSO\\Microsoft\\MicrosoftType' => __DIR__ . '/../..' . '/src/SSO/Microsoft/MicrosoftType.php',
'Prestashow\\PShowSSO\\SSO\\X\\XService' => __DIR__ . '/../..' . '/src/SSO/X/XService.php',
'Prestashow\\PShowSSO\\SSO\\X\\XType' => __DIR__ . '/../..' . '/src/SSO/X/XType.php',
'Prestashow\\PShowSSO\\Service\\ConfigurationService' => __DIR__ . '/../..' . '/src/Service/ConfigurationService.php',
'Prestashow\\PShowSSO\\Service\\CustomerService' => __DIR__ . '/../..' . '/src/Service/CustomerService.php',
'Prestashow\\PShowSSO\\Service\\EncryptionService' => __DIR__ . '/../..' . '/src/Service/EncryptionService.php',
'Prestashow\\PrestaBaseV1\\Model\\FrameworkBundleAdminController' => __DIR__ . '/..' . '/prestashow/presta-base-v1/Model/FrameworkBundleAdminController.php',
'Prestashow\\PrestaCore\\Adapter\\UpdateService' => __DIR__ . '/..' . '/prestashow/presta-core/Adapter/UpdateService.php',
'Prestashow\\PrestaCore\\Adapter\\UpdateServiceAdapter' => __DIR__ . '/..' . '/prestashow/presta-core/Adapter/UpdateServiceAdapter.php',
'Prestashow\\PrestaCore\\Controller\\BackupController' => __DIR__ . '/..' . '/prestashow/presta-core/Controller/BackupController.php',
'Prestashow\\PrestaCore\\Controller\\HookController' => __DIR__ . '/..' . '/prestashow/presta-core/Controller/HookController.php',
'Prestashow\\PrestaCore\\Controller\\SettingsController' => __DIR__ . '/..' . '/prestashow/presta-core/Controller/SettingsController.php',
'Prestashow\\PrestaCore\\Controller\\UpdateController' => __DIR__ . '/..' . '/prestashow/presta-core/Controller/UpdateController.php',
'Prestashow\\PrestaCore\\Database\\Migrations\\AbstractMigration' => __DIR__ . '/..' . '/prestashow/presta-core/Database/Migrations/AbstractMigration.php',
'Prestashow\\PrestaCore\\Database\\Migrations\\MigrationCoreTool' => __DIR__ . '/..' . '/prestashow/presta-core/Database/Migrations/MigrationCoreTool.php',
'Prestashow\\PrestaCore\\Database\\Migrations\\MigrationTool' => __DIR__ . '/..' . '/prestashow/presta-core/Database/Migrations/MigrationTool.php',
'Prestashow\\PrestaCore\\Database\\Migrations\\Version0' => __DIR__ . '/..' . '/prestashow/presta-core/Database/Migrations/Version0.php',
'Prestashow\\PrestaCore\\Database\\Migrations\\Version1' => __DIR__ . '/..' . '/prestashow/presta-core/Database/Migrations/Version1.php',
'Prestashow\\PrestaCore\\Entity\\Hook' => __DIR__ . '/..' . '/prestashow/presta-core/Entity/Hook.php',
'Prestashow\\PrestaCore\\Entity\\Notification' => __DIR__ . '/..' . '/prestashow/presta-core/Entity/Notification.php',
'Prestashow\\PrestaCore\\Entity\\NotificationRead' => __DIR__ . '/..' . '/prestashow/presta-core/Entity/NotificationRead.php',
'Prestashow\\PrestaCore\\Exception\\PrestashowException' => __DIR__ . '/..' . '/prestashow/presta-core/Exception/PrestashowException.php',
'Prestashow\\PrestaCore\\Exception\\UpdateException' => __DIR__ . '/..' . '/prestashow/presta-core/Exception/UpdateException.php',
'Prestashow\\PrestaCore\\Model\\AbstractAdminController' => __DIR__ . '/..' . '/prestashow/presta-core/Model/AbstractAdminController.php',
'Prestashow\\PrestaCore\\Model\\AbstractDemoContent' => __DIR__ . '/..' . '/prestashow/presta-core/Model/AbstractDemoContent.php',
'Prestashow\\PrestaCore\\Model\\AbstractEntity' => __DIR__ . '/..' . '/prestashow/presta-core/Model/AbstractEntity.php',
'Prestashow\\PrestaCore\\Model\\AbstractModule' => __DIR__ . '/..' . '/prestashow/presta-core/Model/AbstractModule.php',
'Prestashow\\PrestaCore\\Model\\AbstractRepository' => __DIR__ . '/..' . '/prestashow/presta-core/Model/AbstractRepository.php',
'Prestashow\\PrestaCore\\Model\\AbstractService' => __DIR__ . '/..' . '/prestashow/presta-core/Model/AbstractService.php',
'Prestashow\\PrestaCore\\Model\\DemoObjectModel' => __DIR__ . '/..' . '/prestashow/presta-core/Model/DemoObjectModel.php',
'Prestashow\\PrestaCore\\Model\\ModuleSettings' => __DIR__ . '/..' . '/prestashow/presta-core/Model/ModuleSettings.php',
'Prestashow\\PrestaCore\\Service\\DatabaseService' => __DIR__ . '/..' . '/prestashow/presta-core/Service/DatabaseService.php',
'Prestashow\\PrestaCore\\Service\\DemoContentService' => __DIR__ . '/..' . '/prestashow/presta-core/Service/DemoContentService.php',
'Prestashow\\PrestaCore\\Service\\IniService' => __DIR__ . '/..' . '/prestashow/presta-core/Service/IniService.php',
'Prestashow\\PrestaCore\\Service\\RecommendationService' => __DIR__ . '/..' . '/prestashow/presta-core/Service/RecommendationService.php',
'Prestashow\\PrestaCore\\Service\\ToolsService' => __DIR__ . '/..' . '/prestashow/presta-core/Service/ToolsService.php',
'Prestashow\\PrestaCore\\Service\\TranslationService' => __DIR__ . '/..' . '/prestashow/presta-core/Service/TranslationService.php',
'Prestashow\\PrestaCore\\Util\\HookOverrideFix' => __DIR__ . '/..' . '/prestashow/presta-core/Util/HookOverrideFix.php',
'Prestashow\\PrestaUpdate\\Model\\License' => __DIR__ . '/..' . '/prestashow/presta-update/src/Model/License.php',
'Prestashow\\PrestaUpdate\\Service\\MultistoreService' => __DIR__ . '/..' . '/prestashow/presta-update/src/Service/MultistoreService.php',
'Prestashow\\PrestaUpdate\\Service\\UpdateService' => __DIR__ . '/..' . '/prestashow/presta-update/src/Service/UpdateService.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\BeforeValidException' => __DIR__ . '/..' . '/firebase/php-jwt/src/BeforeValidException.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\CachedKeySet' => __DIR__ . '/..' . '/firebase/php-jwt/src/CachedKeySet.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\ExpiredException' => __DIR__ . '/..' . '/firebase/php-jwt/src/ExpiredException.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\JWK' => __DIR__ . '/..' . '/firebase/php-jwt/src/JWK.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\JWT' => __DIR__ . '/..' . '/firebase/php-jwt/src/JWT.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\Key' => __DIR__ . '/..' . '/firebase/php-jwt/src/Key.php',
'Pshowsso\\Scope68f5e85e9608b\\Firebase\\JWT\\SignatureInvalidException' => __DIR__ . '/..' . '/firebase/php-jwt/src/SignatureInvalidException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\BodySummarizer' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/BodySummarizer.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\BodySummarizerInterface' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/BodySummarizerInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Client' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Client.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\ClientInterface' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/ClientInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\ClientTrait' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/ClientTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Cookie\\CookieJar' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Cookie/CookieJar.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Cookie\\CookieJarInterface' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Cookie/CookieJarInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Cookie\\FileCookieJar' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Cookie/FileCookieJar.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Cookie\\SessionCookieJar' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Cookie/SessionCookieJar.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Cookie\\SetCookie' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Cookie/SetCookie.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\BadResponseException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/BadResponseException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\ClientException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/ClientException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\ConnectException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/ConnectException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\GuzzleException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/GuzzleException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\InvalidArgumentException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/InvalidArgumentException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\RequestException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/RequestException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\ServerException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/ServerException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\TooManyRedirectsException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/TooManyRedirectsException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Exception\\TransferException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/TransferException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\HandlerStack' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/HandlerStack.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\CurlFactory' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/CurlFactory.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\CurlFactoryInterface' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/CurlFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\CurlHandler' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/CurlHandler.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\CurlMultiHandler' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/CurlMultiHandler.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\EasyHandle' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/EasyHandle.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\HeaderProcessor' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/HeaderProcessor.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\MockHandler' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/MockHandler.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\Proxy' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/Proxy.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Handler\\StreamHandler' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/StreamHandler.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\MessageFormatter' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/MessageFormatter.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\MessageFormatterInterface' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/MessageFormatterInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Middleware' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Middleware.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Pool' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Pool.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\PrepareBodyMiddleware' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/PrepareBodyMiddleware.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\AggregateException' => __DIR__ . '/..' . '/guzzlehttp/promises/src/AggregateException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\CancellationException' => __DIR__ . '/..' . '/guzzlehttp/promises/src/CancellationException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Coroutine' => __DIR__ . '/..' . '/guzzlehttp/promises/src/Coroutine.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Create' => __DIR__ . '/..' . '/guzzlehttp/promises/src/Create.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Each' => __DIR__ . '/..' . '/guzzlehttp/promises/src/Each.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\EachPromise' => __DIR__ . '/..' . '/guzzlehttp/promises/src/EachPromise.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\FulfilledPromise' => __DIR__ . '/..' . '/guzzlehttp/promises/src/FulfilledPromise.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Is' => __DIR__ . '/..' . '/guzzlehttp/promises/src/Is.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Promise' => __DIR__ . '/..' . '/guzzlehttp/promises/src/Promise.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\PromiseInterface' => __DIR__ . '/..' . '/guzzlehttp/promises/src/PromiseInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\PromisorInterface' => __DIR__ . '/..' . '/guzzlehttp/promises/src/PromisorInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\RejectedPromise' => __DIR__ . '/..' . '/guzzlehttp/promises/src/RejectedPromise.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\RejectionException' => __DIR__ . '/..' . '/guzzlehttp/promises/src/RejectionException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\TaskQueue' => __DIR__ . '/..' . '/guzzlehttp/promises/src/TaskQueue.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\TaskQueueInterface' => __DIR__ . '/..' . '/guzzlehttp/promises/src/TaskQueueInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Promise\\Utils' => __DIR__ . '/..' . '/guzzlehttp/promises/src/Utils.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\AppendStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/AppendStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\BufferStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/BufferStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\CachingStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/CachingStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\DroppingStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/DroppingStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Exception\\MalformedUriException' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Exception/MalformedUriException.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\FnStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/FnStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Header' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Header.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\HttpFactory' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/HttpFactory.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\InflateStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/InflateStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\LazyOpenStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/LazyOpenStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\LimitStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/LimitStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Message' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Message.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\MessageTrait' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/MessageTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\MimeType' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/MimeType.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\MultipartStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/MultipartStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\NoSeekStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/NoSeekStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\PumpStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/PumpStream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Query' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Query.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Request' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Request.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Response' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Response.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Rfc7230' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Rfc7230.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\ServerRequest' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/ServerRequest.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Stream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Stream.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\StreamDecoratorTrait' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/StreamDecoratorTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\StreamWrapper' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/StreamWrapper.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\UploadedFile' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/UploadedFile.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Uri' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Uri.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\UriComparator' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/UriComparator.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\UriNormalizer' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/UriNormalizer.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\UriResolver' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/UriResolver.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Psr7\\Utils' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Utils.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\RedirectMiddleware' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/RedirectMiddleware.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\RequestOptions' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/RequestOptions.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\RetryMiddleware' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/RetryMiddleware.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\TransferStats' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/TransferStats.php',
'Pshowsso\\Scope68f5e85e9608b\\GuzzleHttp\\Utils' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Utils.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Builder' => __DIR__ . '/..' . '/lcobucci/jwt/src/Builder.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim' => __DIR__ . '/..' . '/lcobucci/jwt/src/Claim.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\Basic' => __DIR__ . '/..' . '/lcobucci/jwt/src/Claim/Basic.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\EqualsTo' => __DIR__ . '/..' . '/lcobucci/jwt/src/Claim/EqualsTo.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\Factory' => __DIR__ . '/..' . '/lcobucci/jwt/src/Claim/Factory.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\GreaterOrEqualsTo' => __DIR__ . '/..' . '/lcobucci/jwt/src/Claim/GreaterOrEqualsTo.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\LesserOrEqualsTo' => __DIR__ . '/..' . '/lcobucci/jwt/src/Claim/LesserOrEqualsTo.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Claim\\Validatable' => __DIR__ . '/..' . '/lcobucci/jwt/src/Claim/Validatable.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Configuration' => __DIR__ . '/..' . '/lcobucci/jwt/src/Configuration.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Encoding\\CannotDecodeContent' => __DIR__ . '/..' . '/lcobucci/jwt/src/Encoding/CannotDecodeContent.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Encoding\\CannotEncodeContent' => __DIR__ . '/..' . '/lcobucci/jwt/src/Encoding/CannotEncodeContent.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Exception' => __DIR__ . '/..' . '/lcobucci/jwt/src/Exception.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Parser' => __DIR__ . '/..' . '/lcobucci/jwt/src/Parser.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Parsing\\Decoder' => __DIR__ . '/..' . '/lcobucci/jwt/src/Parsing/Decoder.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Parsing\\Encoder' => __DIR__ . '/..' . '/lcobucci/jwt/src/Parsing/Encoder.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signature' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signature.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\BaseSigner' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/BaseSigner.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\CannotSignPayload' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/CannotSignPayload.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Ecdsa.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\ConversionFailed' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Ecdsa/ConversionFailed.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\MultibyteStringConverter' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Ecdsa/MultibyteStringConverter.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\Sha256' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Ecdsa/Sha256.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\Sha384' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Ecdsa/Sha384.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\Sha512' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Ecdsa/Sha512.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Ecdsa\\SignatureConverter' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Ecdsa/SignatureConverter.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Hmac' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Hmac.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Hmac\\Sha256' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Hmac/Sha256.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Hmac\\Sha384' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Hmac/Sha384.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Hmac\\Sha512' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Hmac/Sha512.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\InvalidKeyProvided' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/InvalidKeyProvided.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Key' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Key.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Key\\FileCouldNotBeRead' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Key/FileCouldNotBeRead.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Key\\InMemory' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Key/InMemory.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Key\\LocalFileReference' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Key/LocalFileReference.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Keychain' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Keychain.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\None' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/None.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\OpenSSL' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/OpenSSL.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Rsa' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Rsa.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Rsa\\Sha256' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Rsa/Sha256.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Rsa\\Sha384' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Rsa/Sha384.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Signer\\Rsa\\Sha512' => __DIR__ . '/..' . '/lcobucci/jwt/src/Signer/Rsa/Sha512.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token' => __DIR__ . '/..' . '/lcobucci/jwt/src/Token.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token\\DataSet' => __DIR__ . '/..' . '/lcobucci/jwt/src/Token/DataSet.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token\\InvalidTokenStructure' => __DIR__ . '/..' . '/lcobucci/jwt/src/Token/InvalidTokenStructure.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token\\RegisteredClaimGiven' => __DIR__ . '/..' . '/lcobucci/jwt/src/Token/RegisteredClaimGiven.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token\\RegisteredClaims' => __DIR__ . '/..' . '/lcobucci/jwt/src/Token/RegisteredClaims.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Token\\UnsupportedHeaderFound' => __DIR__ . '/..' . '/lcobucci/jwt/src/Token/UnsupportedHeaderFound.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\ValidationData' => __DIR__ . '/..' . '/lcobucci/jwt/src/ValidationData.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/Constraint.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\ConstraintViolation' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/ConstraintViolation.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\IdentifiedBy' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/Constraint/IdentifiedBy.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\IssuedBy' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/Constraint/IssuedBy.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\LeewayCannotBeNegative' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/Constraint/LeewayCannotBeNegative.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\PermittedFor' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/Constraint/PermittedFor.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\RelatedTo' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/Constraint/RelatedTo.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\SignedWith' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/Constraint/SignedWith.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Constraint\\ValidAt' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/Constraint/ValidAt.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\NoConstraintsGiven' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/NoConstraintsGiven.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\RequiredConstraintsViolated' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/RequiredConstraintsViolated.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validation\\Validator' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validation/Validator.php',
'Pshowsso\\Scope68f5e85e9608b\\Lcobucci\\JWT\\Validator' => __DIR__ . '/..' . '/lcobucci/jwt/src/Validator.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Exception\\HostedDomainException' => __DIR__ . '/..' . '/league/oauth2-google/src/Exception/HostedDomainException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\AbstractGrant' => __DIR__ . '/..' . '/league/oauth2-client/src/Grant/AbstractGrant.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\AuthorizationCode' => __DIR__ . '/..' . '/league/oauth2-client/src/Grant/AuthorizationCode.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\ClientCredentials' => __DIR__ . '/..' . '/league/oauth2-client/src/Grant/ClientCredentials.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\Exception\\InvalidGrantException' => __DIR__ . '/..' . '/league/oauth2-client/src/Grant/Exception/InvalidGrantException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\FbExchangeToken' => __DIR__ . '/..' . '/league/oauth2-facebook/src/Grant/FbExchangeToken.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\GrantFactory' => __DIR__ . '/..' . '/league/oauth2-client/src/Grant/GrantFactory.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\Password' => __DIR__ . '/..' . '/league/oauth2-client/src/Grant/Password.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Grant\\RefreshToken' => __DIR__ . '/..' . '/league/oauth2-client/src/Grant/RefreshToken.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\OptionProvider\\HttpBasicAuthOptionProvider' => __DIR__ . '/..' . '/league/oauth2-client/src/OptionProvider/HttpBasicAuthOptionProvider.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\OptionProvider\\OptionProviderInterface' => __DIR__ . '/..' . '/league/oauth2-client/src/OptionProvider/OptionProviderInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\OptionProvider\\PostAuthOptionProvider' => __DIR__ . '/..' . '/league/oauth2-client/src/OptionProvider/PostAuthOptionProvider.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\AbstractProvider' => __DIR__ . '/..' . '/league/oauth2-client/src/Provider/AbstractProvider.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\AppSecretProof' => __DIR__ . '/..' . '/league/oauth2-facebook/src/Provider/AppSecretProof.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Apple' => __DIR__ . '/..' . '/patrickbussmann/oauth2-apple/src/Provider/Apple.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\AppleResourceOwner' => __DIR__ . '/..' . '/patrickbussmann/oauth2-apple/src/Provider/AppleResourceOwner.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Exception\\AppleAccessDeniedException' => __DIR__ . '/..' . '/patrickbussmann/oauth2-apple/src/Provider/Exception/AppleAccessDeniedException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Exception\\FacebookProviderException' => __DIR__ . '/..' . '/league/oauth2-facebook/src/Provider/Exception/FacebookProviderException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Exception\\GithubIdentityProviderException' => __DIR__ . '/..' . '/league/oauth2-github/src/Provider/Exception/GithubIdentityProviderException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Exception\\IdentityProviderException' => __DIR__ . '/..' . '/league/oauth2-client/src/Provider/Exception/IdentityProviderException.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Facebook' => __DIR__ . '/..' . '/league/oauth2-facebook/src/Provider/Facebook.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\FacebookUser' => __DIR__ . '/..' . '/league/oauth2-facebook/src/Provider/FacebookUser.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\GenericProvider' => __DIR__ . '/..' . '/league/oauth2-client/src/Provider/GenericProvider.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\GenericResourceOwner' => __DIR__ . '/..' . '/league/oauth2-client/src/Provider/GenericResourceOwner.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Github' => __DIR__ . '/..' . '/league/oauth2-github/src/Provider/Github.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\GithubResourceOwner' => __DIR__ . '/..' . '/league/oauth2-github/src/Provider/GithubResourceOwner.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\Google' => __DIR__ . '/..' . '/league/oauth2-google/src/Provider/Google.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\GoogleUser' => __DIR__ . '/..' . '/league/oauth2-google/src/Provider/GoogleUser.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Provider\\ResourceOwnerInterface' => __DIR__ . '/..' . '/league/oauth2-client/src/Provider/ResourceOwnerInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Token\\AccessToken' => __DIR__ . '/..' . '/league/oauth2-client/src/Token/AccessToken.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Token\\AccessTokenInterface' => __DIR__ . '/..' . '/league/oauth2-client/src/Token/AccessTokenInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Token\\AppleAccessToken' => __DIR__ . '/..' . '/patrickbussmann/oauth2-apple/src/Token/AppleAccessToken.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Token\\ResourceOwnerAccessTokenInterface' => __DIR__ . '/..' . '/league/oauth2-client/src/Token/ResourceOwnerAccessTokenInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\ArrayAccessorTrait' => __DIR__ . '/..' . '/league/oauth2-client/src/Tool/ArrayAccessorTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\BearerAuthorizationTrait' => __DIR__ . '/..' . '/league/oauth2-client/src/Tool/BearerAuthorizationTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\GuardedPropertyTrait' => __DIR__ . '/..' . '/league/oauth2-client/src/Tool/GuardedPropertyTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\MacAuthorizationTrait' => __DIR__ . '/..' . '/league/oauth2-client/src/Tool/MacAuthorizationTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\ProviderRedirectTrait' => __DIR__ . '/..' . '/league/oauth2-client/src/Tool/ProviderRedirectTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\QueryBuilderTrait' => __DIR__ . '/..' . '/league/oauth2-client/src/Tool/QueryBuilderTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\RequestFactory' => __DIR__ . '/..' . '/league/oauth2-client/src/Tool/RequestFactory.php',
'Pshowsso\\Scope68f5e85e9608b\\League\\OAuth2\\Client\\Tool\\RequiredParameterTrait' => __DIR__ . '/..' . '/league/oauth2-client/src/Tool/RequiredParameterTrait.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\ClientExceptionInterface' => __DIR__ . '/..' . '/psr/http-client/src/ClientExceptionInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\ClientInterface' => __DIR__ . '/..' . '/psr/http-client/src/ClientInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\NetworkExceptionInterface' => __DIR__ . '/..' . '/psr/http-client/src/NetworkExceptionInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Client\\RequestExceptionInterface' => __DIR__ . '/..' . '/psr/http-client/src/RequestExceptionInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\MessageInterface' => __DIR__ . '/..' . '/psr/http-message/src/MessageInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\RequestFactoryInterface' => __DIR__ . '/..' . '/psr/http-factory/src/RequestFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\RequestInterface' => __DIR__ . '/..' . '/psr/http-message/src/RequestInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\ResponseFactoryInterface' => __DIR__ . '/..' . '/psr/http-factory/src/ResponseFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\ResponseInterface' => __DIR__ . '/..' . '/psr/http-message/src/ResponseInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\ServerRequestFactoryInterface' => __DIR__ . '/..' . '/psr/http-factory/src/ServerRequestFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\ServerRequestInterface' => __DIR__ . '/..' . '/psr/http-message/src/ServerRequestInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\StreamFactoryInterface' => __DIR__ . '/..' . '/psr/http-factory/src/StreamFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\StreamInterface' => __DIR__ . '/..' . '/psr/http-message/src/StreamInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\UploadedFileFactoryInterface' => __DIR__ . '/..' . '/psr/http-factory/src/UploadedFileFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\UploadedFileInterface' => __DIR__ . '/..' . '/psr/http-message/src/UploadedFileInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\UriFactoryInterface' => __DIR__ . '/..' . '/psr/http-factory/src/UriFactoryInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Psr\\Http\\Message\\UriInterface' => __DIR__ . '/..' . '/psr/http-message/src/UriInterface.php',
'Pshowsso\\Scope68f5e85e9608b\\Smolblog\\OAuth2\\Client\\Provider\\Twitter' => __DIR__ . '/..' . '/smolblog/oauth2-twitter/src/Twitter.php',
'Pshowsso\\Scope68f5e85e9608b\\Smolblog\\OAuth2\\Client\\Provider\\TwitterUser' => __DIR__ . '/..' . '/smolblog/oauth2-twitter/src/TwitterUser.php',
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\Provider\\Exception\\EncryptionConfigurationException' => __DIR__ . '/..' . '/stevenmaguire/oauth2-keycloak/src/Provider/Exception/EncryptionConfigurationException.php',
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\Provider\\Keycloak' => __DIR__ . '/..' . '/stevenmaguire/oauth2-keycloak/src/Provider/Keycloak.php',
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\Provider\\KeycloakResourceOwner' => __DIR__ . '/..' . '/stevenmaguire/oauth2-keycloak/src/Provider/KeycloakResourceOwner.php',
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\Provider\\Microsoft' => __DIR__ . '/..' . '/stevenmaguire/oauth2-microsoft/src/Provider/Microsoft.php',
'Pshowsso\\Scope68f5e85e9608b\\Stevenmaguire\\OAuth2\\Client\\Provider\\MicrosoftResourceOwner' => __DIR__ . '/..' . '/stevenmaguire/oauth2-microsoft/src/Provider/MicrosoftResourceOwner.php',
'RandomLib\\AbstractMcryptMixer' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/AbstractMcryptMixer.php',
'RandomLib\\AbstractMixer' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/AbstractMixer.php',
'RandomLib\\AbstractSource' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/AbstractSource.php',
'RandomLib\\Factory' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Factory.php',
'RandomLib\\Generator' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Generator.php',
'RandomLib\\Mixer' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Mixer.php',
'RandomLib\\Mixer\\Hash' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Mixer/Hash.php',
'RandomLib\\Mixer\\McryptRijndael128' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Mixer/McryptRijndael128.php',
'RandomLib\\Mixer\\SodiumMixer' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Mixer/SodiumMixer.php',
'RandomLib\\Mixer\\XorMixer' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Mixer/XorMixer.php',
'RandomLib\\Source' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Source.php',
'RandomLib\\Source\\CAPICOM' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Source/CAPICOM.php',
'RandomLib\\Source\\MTRand' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Source/MTRand.php',
'RandomLib\\Source\\MicroTime' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Source/MicroTime.php',
'RandomLib\\Source\\OpenSSL' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Source/OpenSSL.php',
'RandomLib\\Source\\Rand' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Source/Rand.php',
'RandomLib\\Source\\RandomBytes' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Source/RandomBytes.php',
'RandomLib\\Source\\Sodium' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Source/Sodium.php',
'RandomLib\\Source\\URandom' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Source/URandom.php',
'RandomLib\\Source\\UniqID' => __DIR__ . '/..' . '/paragonie/random-lib/lib/RandomLib/Source/UniqID.php',
'SecurityLib\\AbstractFactory' => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib/AbstractFactory.php',
'SecurityLib\\BaseConverter' => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib/BaseConverter.php',
'SecurityLib\\BigMath' => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib/BigMath.php',
'SecurityLib\\BigMath\\BCMath' => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib/BigMath/BCMath.php',
'SecurityLib\\BigMath\\GMP' => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib/BigMath/GMP.php',
'SecurityLib\\BigMath\\PHPMath' => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib/BigMath/PHPMath.php',
'SecurityLib\\Enum' => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib/Enum.php',
'SecurityLib\\Hash' => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib/Hash.php',
'SecurityLib\\Strength' => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib/Strength.php',
'SecurityLib\\Util' => __DIR__ . '/..' . '/ircmaxell/security-lib/lib/SecurityLib/Util.php',
);
public static function getInitializer(ClassLoader $loader)
{
return \Closure::bind(function () use ($loader) {
$loader->prefixLengthsPsr4 = ComposerStaticInit1fe0ff0d67b43eae12bae30ad0ff3129::$prefixLengthsPsr4;
$loader->prefixDirsPsr4 = ComposerStaticInit1fe0ff0d67b43eae12bae30ad0ff3129::$prefixDirsPsr4;
$loader->classMap = ComposerStaticInit1fe0ff0d67b43eae12bae30ad0ff3129::$classMap;
}, null, ClassLoader::class);
}
}

File diff suppressed because it is too large Load Diff

File diff suppressed because one or more lines are too long

View File

@@ -0,0 +1,25 @@
<?php
// platform_check.php @generated by Composer
$issues = array();
if (!(PHP_VERSION_ID >= 70300)) {
$issues[] = 'Your Composer dependencies require a PHP version ">= 7.3.0". You are running ' . PHP_VERSION . '.';
}
if ($issues) {
if (!headers_sent()) {
header('HTTP/1.1 500 Internal Server Error');
}
if (!ini_get('display_errors')) {
if (PHP_SAPI === 'cli' || PHP_SAPI === 'phpdbg') {
fwrite(STDERR, 'Composer detected issues in your platform:' . PHP_EOL.PHP_EOL . implode(PHP_EOL, $issues) . PHP_EOL.PHP_EOL);
} elseif (!headers_sent()) {
echo 'Composer detected issues in your platform:' . PHP_EOL.PHP_EOL . str_replace('You are running '.PHP_VERSION.'.', '', implode(PHP_EOL, $issues)) . PHP_EOL.PHP_EOL;
}
}
throw new \RuntimeException(
'Composer detected issues in your platform: ' . implode(' ', $issues)
);
}