first commit

This commit is contained in:
2024-11-11 18:46:54 +01:00
commit a630d17338
25634 changed files with 4923715 additions and 0 deletions

View File

@@ -0,0 +1,445 @@
<?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 http://www.php-fig.org/psr/psr-0/
* @see http://www.php-fig.org/psr/psr-4/
*/
class ClassLoader
{
// PSR-4
private $prefixLengthsPsr4 = array();
private $prefixDirsPsr4 = array();
private $fallbackDirsPsr4 = array();
// PSR-0
private $prefixesPsr0 = array();
private $fallbackDirsPsr0 = array();
private $useIncludePath = false;
private $classMap = array();
private $classMapAuthoritative = false;
private $missingClasses = array();
private $apcuPrefix;
public function getPrefixes()
{
if (!empty($this->prefixesPsr0)) {
return call_user_func_array('array_merge', $this->prefixesPsr0);
}
return array();
}
public function getPrefixesPsr4()
{
return $this->prefixDirsPsr4;
}
public function getFallbackDirs()
{
return $this->fallbackDirsPsr0;
}
public function getFallbackDirsPsr4()
{
return $this->fallbackDirsPsr4;
}
public function getClassMap()
{
return $this->classMap;
}
/**
* @param array $classMap Class to filename map
*/
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 array|string $paths The PSR-0 root directories
* @param bool $prepend Whether to prepend the directories
*/
public function add($prefix, $paths, $prepend = false)
{
if (!$prefix) {
if ($prepend) {
$this->fallbackDirsPsr0 = array_merge(
(array) $paths,
$this->fallbackDirsPsr0
);
} else {
$this->fallbackDirsPsr0 = array_merge(
$this->fallbackDirsPsr0,
(array) $paths
);
}
return;
}
$first = $prefix[0];
if (!isset($this->prefixesPsr0[$first][$prefix])) {
$this->prefixesPsr0[$first][$prefix] = (array) $paths;
return;
}
if ($prepend) {
$this->prefixesPsr0[$first][$prefix] = array_merge(
(array) $paths,
$this->prefixesPsr0[$first][$prefix]
);
} else {
$this->prefixesPsr0[$first][$prefix] = array_merge(
$this->prefixesPsr0[$first][$prefix],
(array) $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 array|string $paths The PSR-4 base directories
* @param bool $prepend Whether to prepend the directories
*
* @throws \InvalidArgumentException
*/
public function addPsr4($prefix, $paths, $prepend = false)
{
if (!$prefix) {
// Register directories for the root namespace.
if ($prepend) {
$this->fallbackDirsPsr4 = array_merge(
(array) $paths,
$this->fallbackDirsPsr4
);
} else {
$this->fallbackDirsPsr4 = array_merge(
$this->fallbackDirsPsr4,
(array) $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] = (array) $paths;
} elseif ($prepend) {
// Prepend directories for an already registered namespace.
$this->prefixDirsPsr4[$prefix] = array_merge(
(array) $paths,
$this->prefixDirsPsr4[$prefix]
);
} else {
// Append directories for an already registered namespace.
$this->prefixDirsPsr4[$prefix] = array_merge(
$this->prefixDirsPsr4[$prefix],
(array) $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 array|string $paths The PSR-0 base directories
*/
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 array|string $paths The PSR-4 base directories
*
* @throws \InvalidArgumentException
*/
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
*/
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
*/
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
*/
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
*/
public function register($prepend = false)
{
spl_autoload_register(array($this, 'loadClass'), true, $prepend);
}
/**
* Unregisters this instance as an autoloader.
*/
public function unregister()
{
spl_autoload_unregister(array($this, 'loadClass'));
}
/**
* Loads the given class or interface.
*
* @param string $class The name of the class
* @return bool|null True if loaded, null otherwise
*/
public function loadClass($class)
{
if ($file = $this->findFile($class)) {
includeFile($file);
return true;
}
}
/**
* 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;
}
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;
}
}
/**
* Scope isolated include.
*
* Prevents access to $this/self from included files.
*/
function includeFile($file)
{
include $file;
}

21
modules/paypal/vendor/composer/LICENSE vendored Normal file
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,412 @@
<?php
// autoload_classmap.php @generated by Composer
$vendorDir = dirname(dirname(__FILE__));
$baseDir = dirname($vendorDir);
return array(
'ArithmeticError' => $vendorDir . '/symfony/polyfill-php70/Resources/stubs/ArithmeticError.php',
'AssertionError' => $vendorDir . '/symfony/polyfill-php70/Resources/stubs/AssertionError.php',
'DivisionByZeroError' => $vendorDir . '/symfony/polyfill-php70/Resources/stubs/DivisionByZeroError.php',
'Error' => $vendorDir . '/symfony/polyfill-php70/Resources/stubs/Error.php',
'GuzzleHttp\\Client' => $vendorDir . '/guzzlehttp/guzzle/src/Client.php',
'GuzzleHttp\\ClientInterface' => $vendorDir . '/guzzlehttp/guzzle/src/ClientInterface.php',
'GuzzleHttp\\Cookie\\CookieJar' => $vendorDir . '/guzzlehttp/guzzle/src/Cookie/CookieJar.php',
'GuzzleHttp\\Cookie\\CookieJarInterface' => $vendorDir . '/guzzlehttp/guzzle/src/Cookie/CookieJarInterface.php',
'GuzzleHttp\\Cookie\\FileCookieJar' => $vendorDir . '/guzzlehttp/guzzle/src/Cookie/FileCookieJar.php',
'GuzzleHttp\\Cookie\\SessionCookieJar' => $vendorDir . '/guzzlehttp/guzzle/src/Cookie/SessionCookieJar.php',
'GuzzleHttp\\Cookie\\SetCookie' => $vendorDir . '/guzzlehttp/guzzle/src/Cookie/SetCookie.php',
'GuzzleHttp\\Exception\\BadResponseException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/BadResponseException.php',
'GuzzleHttp\\Exception\\ClientException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/ClientException.php',
'GuzzleHttp\\Exception\\ConnectException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/ConnectException.php',
'GuzzleHttp\\Exception\\GuzzleException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/GuzzleException.php',
'GuzzleHttp\\Exception\\InvalidArgumentException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/InvalidArgumentException.php',
'GuzzleHttp\\Exception\\RequestException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/RequestException.php',
'GuzzleHttp\\Exception\\SeekException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/SeekException.php',
'GuzzleHttp\\Exception\\ServerException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/ServerException.php',
'GuzzleHttp\\Exception\\TooManyRedirectsException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/TooManyRedirectsException.php',
'GuzzleHttp\\Exception\\TransferException' => $vendorDir . '/guzzlehttp/guzzle/src/Exception/TransferException.php',
'GuzzleHttp\\HandlerStack' => $vendorDir . '/guzzlehttp/guzzle/src/HandlerStack.php',
'GuzzleHttp\\Handler\\CurlFactory' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/CurlFactory.php',
'GuzzleHttp\\Handler\\CurlFactoryInterface' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/CurlFactoryInterface.php',
'GuzzleHttp\\Handler\\CurlHandler' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/CurlHandler.php',
'GuzzleHttp\\Handler\\CurlMultiHandler' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/CurlMultiHandler.php',
'GuzzleHttp\\Handler\\EasyHandle' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/EasyHandle.php',
'GuzzleHttp\\Handler\\MockHandler' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/MockHandler.php',
'GuzzleHttp\\Handler\\Proxy' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/Proxy.php',
'GuzzleHttp\\Handler\\StreamHandler' => $vendorDir . '/guzzlehttp/guzzle/src/Handler/StreamHandler.php',
'GuzzleHttp\\MessageFormatter' => $vendorDir . '/guzzlehttp/guzzle/src/MessageFormatter.php',
'GuzzleHttp\\Middleware' => $vendorDir . '/guzzlehttp/guzzle/src/Middleware.php',
'GuzzleHttp\\Pool' => $vendorDir . '/guzzlehttp/guzzle/src/Pool.php',
'GuzzleHttp\\PrepareBodyMiddleware' => $vendorDir . '/guzzlehttp/guzzle/src/PrepareBodyMiddleware.php',
'GuzzleHttp\\Promise\\AggregateException' => $vendorDir . '/guzzlehttp/promises/src/AggregateException.php',
'GuzzleHttp\\Promise\\CancellationException' => $vendorDir . '/guzzlehttp/promises/src/CancellationException.php',
'GuzzleHttp\\Promise\\Coroutine' => $vendorDir . '/guzzlehttp/promises/src/Coroutine.php',
'GuzzleHttp\\Promise\\EachPromise' => $vendorDir . '/guzzlehttp/promises/src/EachPromise.php',
'GuzzleHttp\\Promise\\FulfilledPromise' => $vendorDir . '/guzzlehttp/promises/src/FulfilledPromise.php',
'GuzzleHttp\\Promise\\Promise' => $vendorDir . '/guzzlehttp/promises/src/Promise.php',
'GuzzleHttp\\Promise\\PromiseInterface' => $vendorDir . '/guzzlehttp/promises/src/PromiseInterface.php',
'GuzzleHttp\\Promise\\PromisorInterface' => $vendorDir . '/guzzlehttp/promises/src/PromisorInterface.php',
'GuzzleHttp\\Promise\\RejectedPromise' => $vendorDir . '/guzzlehttp/promises/src/RejectedPromise.php',
'GuzzleHttp\\Promise\\RejectionException' => $vendorDir . '/guzzlehttp/promises/src/RejectionException.php',
'GuzzleHttp\\Promise\\TaskQueue' => $vendorDir . '/guzzlehttp/promises/src/TaskQueue.php',
'GuzzleHttp\\Promise\\TaskQueueInterface' => $vendorDir . '/guzzlehttp/promises/src/TaskQueueInterface.php',
'GuzzleHttp\\Psr7\\AppendStream' => $vendorDir . '/guzzlehttp/psr7/src/AppendStream.php',
'GuzzleHttp\\Psr7\\BufferStream' => $vendorDir . '/guzzlehttp/psr7/src/BufferStream.php',
'GuzzleHttp\\Psr7\\CachingStream' => $vendorDir . '/guzzlehttp/psr7/src/CachingStream.php',
'GuzzleHttp\\Psr7\\DroppingStream' => $vendorDir . '/guzzlehttp/psr7/src/DroppingStream.php',
'GuzzleHttp\\Psr7\\FnStream' => $vendorDir . '/guzzlehttp/psr7/src/FnStream.php',
'GuzzleHttp\\Psr7\\InflateStream' => $vendorDir . '/guzzlehttp/psr7/src/InflateStream.php',
'GuzzleHttp\\Psr7\\LazyOpenStream' => $vendorDir . '/guzzlehttp/psr7/src/LazyOpenStream.php',
'GuzzleHttp\\Psr7\\LimitStream' => $vendorDir . '/guzzlehttp/psr7/src/LimitStream.php',
'GuzzleHttp\\Psr7\\MessageTrait' => $vendorDir . '/guzzlehttp/psr7/src/MessageTrait.php',
'GuzzleHttp\\Psr7\\MultipartStream' => $vendorDir . '/guzzlehttp/psr7/src/MultipartStream.php',
'GuzzleHttp\\Psr7\\NoSeekStream' => $vendorDir . '/guzzlehttp/psr7/src/NoSeekStream.php',
'GuzzleHttp\\Psr7\\PumpStream' => $vendorDir . '/guzzlehttp/psr7/src/PumpStream.php',
'GuzzleHttp\\Psr7\\Request' => $vendorDir . '/guzzlehttp/psr7/src/Request.php',
'GuzzleHttp\\Psr7\\Response' => $vendorDir . '/guzzlehttp/psr7/src/Response.php',
'GuzzleHttp\\Psr7\\Rfc7230' => $vendorDir . '/guzzlehttp/psr7/src/Rfc7230.php',
'GuzzleHttp\\Psr7\\ServerRequest' => $vendorDir . '/guzzlehttp/psr7/src/ServerRequest.php',
'GuzzleHttp\\Psr7\\Stream' => $vendorDir . '/guzzlehttp/psr7/src/Stream.php',
'GuzzleHttp\\Psr7\\StreamDecoratorTrait' => $vendorDir . '/guzzlehttp/psr7/src/StreamDecoratorTrait.php',
'GuzzleHttp\\Psr7\\StreamWrapper' => $vendorDir . '/guzzlehttp/psr7/src/StreamWrapper.php',
'GuzzleHttp\\Psr7\\UploadedFile' => $vendorDir . '/guzzlehttp/psr7/src/UploadedFile.php',
'GuzzleHttp\\Psr7\\Uri' => $vendorDir . '/guzzlehttp/psr7/src/Uri.php',
'GuzzleHttp\\Psr7\\UriNormalizer' => $vendorDir . '/guzzlehttp/psr7/src/UriNormalizer.php',
'GuzzleHttp\\Psr7\\UriResolver' => $vendorDir . '/guzzlehttp/psr7/src/UriResolver.php',
'GuzzleHttp\\RedirectMiddleware' => $vendorDir . '/guzzlehttp/guzzle/src/RedirectMiddleware.php',
'GuzzleHttp\\RequestOptions' => $vendorDir . '/guzzlehttp/guzzle/src/RequestOptions.php',
'GuzzleHttp\\RetryMiddleware' => $vendorDir . '/guzzlehttp/guzzle/src/RetryMiddleware.php',
'GuzzleHttp\\TransferStats' => $vendorDir . '/guzzlehttp/guzzle/src/TransferStats.php',
'GuzzleHttp\\UriTemplate' => $vendorDir . '/guzzlehttp/guzzle/src/UriTemplate.php',
'GuzzleHttp\\Utils' => $vendorDir . '/guzzlehttp/guzzle/src/Utils.php',
'Normalizer' => $vendorDir . '/symfony/polyfill-intl-normalizer/Resources/stubs/Normalizer.php',
'ParseError' => $vendorDir . '/symfony/polyfill-php70/Resources/stubs/ParseError.php',
'PayPalCheckoutSdk\\Core\\AccessToken' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/AccessToken.php',
'PayPalCheckoutSdk\\Core\\AccessTokenRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/AccessTokenRequest.php',
'PayPalCheckoutSdk\\Core\\AuthorizationInjector' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/AuthorizationInjector.php',
'PayPalCheckoutSdk\\Core\\FPTIInstrumentationInjector' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/FPTIInstrumentationInjector.php',
'PayPalCheckoutSdk\\Core\\GzipInjector' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/GzipInjector.php',
'PayPalCheckoutSdk\\Core\\PayPalEnvironment' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/PayPalEnvironment.php',
'PayPalCheckoutSdk\\Core\\PayPalHttpClient' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/PayPalHttpClient.php',
'PayPalCheckoutSdk\\Core\\ProductionEnvironment' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/ProductionEnvironment.php',
'PayPalCheckoutSdk\\Core\\RefreshTokenRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/RefreshTokenRequest.php',
'PayPalCheckoutSdk\\Core\\SandboxEnvironment' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/SandboxEnvironment.php',
'PayPalCheckoutSdk\\Core\\UserAgent' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/UserAgent.php',
'PayPalCheckoutSdk\\Core\\Version' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/Version.php',
'PayPalCheckoutSdk\\Orders\\OrdersAuthorizeRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersAuthorizeRequest.php',
'PayPalCheckoutSdk\\Orders\\OrdersCaptureRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersCaptureRequest.php',
'PayPalCheckoutSdk\\Orders\\OrdersCreateRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersCreateRequest.php',
'PayPalCheckoutSdk\\Orders\\OrdersGetRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersGetRequest.php',
'PayPalCheckoutSdk\\Orders\\OrdersPatchRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersPatchRequest.php',
'PayPalCheckoutSdk\\Orders\\OrdersValidateRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersValidateRequest.php',
'PayPalCheckoutSdk\\Payments\\AuthorizationsCaptureRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/AuthorizationsCaptureRequest.php',
'PayPalCheckoutSdk\\Payments\\AuthorizationsGetRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/AuthorizationsGetRequest.php',
'PayPalCheckoutSdk\\Payments\\AuthorizationsReauthorizeRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/AuthorizationsReauthorizeRequest.php',
'PayPalCheckoutSdk\\Payments\\AuthorizationsVoidRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/AuthorizationsVoidRequest.php',
'PayPalCheckoutSdk\\Payments\\CapturesGetRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/CapturesGetRequest.php',
'PayPalCheckoutSdk\\Payments\\CapturesRefundRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/CapturesRefundRequest.php',
'PayPalCheckoutSdk\\Payments\\RefundsGetRequest' => $vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/RefundsGetRequest.php',
'PayPalHttp\\Curl' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/Curl.php',
'PayPalHttp\\Encoder' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/Encoder.php',
'PayPalHttp\\Environment' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/Environment.php',
'PayPalHttp\\HttpClient' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/HttpClient.php',
'PayPalHttp\\HttpException' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/HttpException.php',
'PayPalHttp\\HttpRequest' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/HttpRequest.php',
'PayPalHttp\\HttpResponse' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/HttpResponse.php',
'PayPalHttp\\IOException' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/IOException.php',
'PayPalHttp\\Injector' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/Injector.php',
'PayPalHttp\\Serializer' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/Serializer.php',
'PayPalHttp\\Serializer\\Form' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/Serializer/Form.php',
'PayPalHttp\\Serializer\\FormPart' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/Serializer/FormPart.php',
'PayPalHttp\\Serializer\\Json' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/Serializer/Json.php',
'PayPalHttp\\Serializer\\Multipart' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/Serializer/Multipart.php',
'PayPalHttp\\Serializer\\Text' => $vendorDir . '/paypal/paypalhttp/lib/PayPalHttp/Serializer/Text.php',
'PayPal\\Api\\Address' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Address.php',
'PayPal\\Api\\Agreement' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Agreement.php',
'PayPal\\Api\\AgreementDetails' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/AgreementDetails.php',
'PayPal\\Api\\AgreementStateDescriptor' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/AgreementStateDescriptor.php',
'PayPal\\Api\\AgreementTransaction' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/AgreementTransaction.php',
'PayPal\\Api\\AgreementTransactions' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/AgreementTransactions.php',
'PayPal\\Api\\AlternatePayment' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/AlternatePayment.php',
'PayPal\\Api\\Amount' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Amount.php',
'PayPal\\Api\\Authorization' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Authorization.php',
'PayPal\\Api\\BankAccount' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BankAccount.php',
'PayPal\\Api\\BankAccountsList' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BankAccountsList.php',
'PayPal\\Api\\BankToken' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BankToken.php',
'PayPal\\Api\\BaseAddress' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BaseAddress.php',
'PayPal\\Api\\Billing' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Billing.php',
'PayPal\\Api\\BillingAgreementToken' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BillingAgreementToken.php',
'PayPal\\Api\\BillingInfo' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BillingInfo.php',
'PayPal\\Api\\CancelNotification' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CancelNotification.php',
'PayPal\\Api\\Capture' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Capture.php',
'PayPal\\Api\\CarrierAccount' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CarrierAccount.php',
'PayPal\\Api\\CarrierAccountToken' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CarrierAccountToken.php',
'PayPal\\Api\\CartBase' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CartBase.php',
'PayPal\\Api\\ChargeModel' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ChargeModel.php',
'PayPal\\Api\\Cost' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Cost.php',
'PayPal\\Api\\CountryCode' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CountryCode.php',
'PayPal\\Api\\CreateProfileResponse' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreateProfileResponse.php',
'PayPal\\Api\\Credit' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Credit.php',
'PayPal\\Api\\CreditCard' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreditCard.php',
'PayPal\\Api\\CreditCardHistory' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreditCardHistory.php',
'PayPal\\Api\\CreditCardList' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreditCardList.php',
'PayPal\\Api\\CreditCardToken' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreditCardToken.php',
'PayPal\\Api\\CreditFinancingOffered' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreditFinancingOffered.php',
'PayPal\\Api\\Currency' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Currency.php',
'PayPal\\Api\\CurrencyConversion' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CurrencyConversion.php',
'PayPal\\Api\\CustomAmount' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CustomAmount.php',
'PayPal\\Api\\DetailedRefund' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/DetailedRefund.php',
'PayPal\\Api\\Details' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Details.php',
'PayPal\\Api\\Error' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Error.php',
'PayPal\\Api\\ErrorDetails' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ErrorDetails.php',
'PayPal\\Api\\ExtendedBankAccount' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ExtendedBankAccount.php',
'PayPal\\Api\\ExternalFunding' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ExternalFunding.php',
'PayPal\\Api\\FileAttachment' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FileAttachment.php',
'PayPal\\Api\\FlowConfig' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FlowConfig.php',
'PayPal\\Api\\FmfDetails' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FmfDetails.php',
'PayPal\\Api\\FundingDetail' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FundingDetail.php',
'PayPal\\Api\\FundingInstrument' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FundingInstrument.php',
'PayPal\\Api\\FundingOption' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FundingOption.php',
'PayPal\\Api\\FundingSource' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FundingSource.php',
'PayPal\\Api\\FuturePayment' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FuturePayment.php',
'PayPal\\Api\\HyperSchema' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/HyperSchema.php',
'PayPal\\Api\\Image' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Image.php',
'PayPal\\Api\\Incentive' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Incentive.php',
'PayPal\\Api\\InputFields' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InputFields.php',
'PayPal\\Api\\InstallmentInfo' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InstallmentInfo.php',
'PayPal\\Api\\InstallmentOption' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InstallmentOption.php',
'PayPal\\Api\\Invoice' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Invoice.php',
'PayPal\\Api\\InvoiceAddress' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InvoiceAddress.php',
'PayPal\\Api\\InvoiceItem' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InvoiceItem.php',
'PayPal\\Api\\InvoiceNumber' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InvoiceNumber.php',
'PayPal\\Api\\InvoiceSearchResponse' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InvoiceSearchResponse.php',
'PayPal\\Api\\Item' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Item.php',
'PayPal\\Api\\ItemList' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ItemList.php',
'PayPal\\Api\\Links' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Links.php',
'PayPal\\Api\\Measurement' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Measurement.php',
'PayPal\\Api\\MerchantInfo' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/MerchantInfo.php',
'PayPal\\Api\\MerchantPreferences' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/MerchantPreferences.php',
'PayPal\\Api\\Metadata' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Metadata.php',
'PayPal\\Api\\NameValuePair' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/NameValuePair.php',
'PayPal\\Api\\Notification' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Notification.php',
'PayPal\\Api\\OpenIdAddress' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OpenIdAddress.php',
'PayPal\\Api\\OpenIdError' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OpenIdError.php',
'PayPal\\Api\\OpenIdSession' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OpenIdSession.php',
'PayPal\\Api\\OpenIdTokeninfo' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OpenIdTokeninfo.php',
'PayPal\\Api\\OpenIdUserinfo' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OpenIdUserinfo.php',
'PayPal\\Api\\Order' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Order.php',
'PayPal\\Api\\OverrideChargeModel' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OverrideChargeModel.php',
'PayPal\\Api\\Participant' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Participant.php',
'PayPal\\Api\\Patch' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Patch.php',
'PayPal\\Api\\PatchRequest' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PatchRequest.php',
'PayPal\\Api\\Payee' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Payee.php',
'PayPal\\Api\\Payer' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Payer.php',
'PayPal\\Api\\PayerInfo' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayerInfo.php',
'PayPal\\Api\\Payment' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Payment.php',
'PayPal\\Api\\PaymentCard' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentCard.php',
'PayPal\\Api\\PaymentCardToken' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentCardToken.php',
'PayPal\\Api\\PaymentDefinition' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentDefinition.php',
'PayPal\\Api\\PaymentDetail' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentDetail.php',
'PayPal\\Api\\PaymentExecution' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentExecution.php',
'PayPal\\Api\\PaymentHistory' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentHistory.php',
'PayPal\\Api\\PaymentInstruction' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentInstruction.php',
'PayPal\\Api\\PaymentOptions' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentOptions.php',
'PayPal\\Api\\PaymentSummary' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentSummary.php',
'PayPal\\Api\\PaymentTerm' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentTerm.php',
'PayPal\\Api\\Payout' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Payout.php',
'PayPal\\Api\\PayoutBatch' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayoutBatch.php',
'PayPal\\Api\\PayoutBatchHeader' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayoutBatchHeader.php',
'PayPal\\Api\\PayoutItem' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayoutItem.php',
'PayPal\\Api\\PayoutItemDetails' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayoutItemDetails.php',
'PayPal\\Api\\PayoutSenderBatchHeader' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayoutSenderBatchHeader.php',
'PayPal\\Api\\Phone' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Phone.php',
'PayPal\\Api\\Plan' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Plan.php',
'PayPal\\Api\\PlanList' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PlanList.php',
'PayPal\\Api\\PotentialPayerInfo' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PotentialPayerInfo.php',
'PayPal\\Api\\Presentation' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Presentation.php',
'PayPal\\Api\\PrivateLabelCard' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PrivateLabelCard.php',
'PayPal\\Api\\ProcessorResponse' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ProcessorResponse.php',
'PayPal\\Api\\RecipientBankingInstruction' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/RecipientBankingInstruction.php',
'PayPal\\Api\\RedirectUrls' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/RedirectUrls.php',
'PayPal\\Api\\Refund' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Refund.php',
'PayPal\\Api\\RefundDetail' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/RefundDetail.php',
'PayPal\\Api\\RefundRequest' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/RefundRequest.php',
'PayPal\\Api\\RelatedResources' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/RelatedResources.php',
'PayPal\\Api\\Sale' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Sale.php',
'PayPal\\Api\\Search' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Search.php',
'PayPal\\Api\\ShippingAddress' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ShippingAddress.php',
'PayPal\\Api\\ShippingCost' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ShippingCost.php',
'PayPal\\Api\\ShippingInfo' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ShippingInfo.php',
'PayPal\\Api\\Tax' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Tax.php',
'PayPal\\Api\\Template' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Template.php',
'PayPal\\Api\\TemplateData' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/TemplateData.php',
'PayPal\\Api\\TemplateSettings' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/TemplateSettings.php',
'PayPal\\Api\\TemplateSettingsMetadata' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/TemplateSettingsMetadata.php',
'PayPal\\Api\\Templates' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Templates.php',
'PayPal\\Api\\Terms' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Terms.php',
'PayPal\\Api\\Transaction' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Transaction.php',
'PayPal\\Api\\TransactionBase' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/TransactionBase.php',
'PayPal\\Api\\Transactions' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Transactions.php',
'PayPal\\Api\\VerifyWebhookSignature' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/VerifyWebhookSignature.php',
'PayPal\\Api\\VerifyWebhookSignatureResponse' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/VerifyWebhookSignatureResponse.php',
'PayPal\\Api\\WebProfile' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebProfile.php',
'PayPal\\Api\\Webhook' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Webhook.php',
'PayPal\\Api\\WebhookEvent' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebhookEvent.php',
'PayPal\\Api\\WebhookEventList' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebhookEventList.php',
'PayPal\\Api\\WebhookEventType' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebhookEventType.php',
'PayPal\\Api\\WebhookEventTypeList' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebhookEventTypeList.php',
'PayPal\\Api\\WebhookList' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebhookList.php',
'PayPal\\Auth\\OAuthTokenCredential' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Auth/OAuthTokenCredential.php',
'PayPal\\Cache\\AuthorizationCache' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Cache/AuthorizationCache.php',
'PayPal\\Common\\ArrayUtil' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Common/ArrayUtil.php',
'PayPal\\Common\\PayPalModel' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Common/PayPalModel.php',
'PayPal\\Common\\PayPalResourceModel' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Common/PayPalResourceModel.php',
'PayPal\\Common\\PayPalUserAgent' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Common/PayPalUserAgent.php',
'PayPal\\Common\\ReflectionUtil' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Common/ReflectionUtil.php',
'PayPal\\Converter\\FormatConverter' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Converter/FormatConverter.php',
'PayPal\\Core\\PayPalConfigManager' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalConfigManager.php',
'PayPal\\Core\\PayPalConstants' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalConstants.php',
'PayPal\\Core\\PayPalCredentialManager' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalCredentialManager.php',
'PayPal\\Core\\PayPalHttpConfig' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalHttpConfig.php',
'PayPal\\Core\\PayPalHttpConnection' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalHttpConnection.php',
'PayPal\\Core\\PayPalLoggingManager' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalLoggingManager.php',
'PayPal\\Exception\\PayPalConfigurationException' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Exception/PayPalConfigurationException.php',
'PayPal\\Exception\\PayPalConnectionException' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Exception/PayPalConnectionException.php',
'PayPal\\Exception\\PayPalInvalidCredentialException' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Exception/PayPalInvalidCredentialException.php',
'PayPal\\Exception\\PayPalMissingCredentialException' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Exception/PayPalMissingCredentialException.php',
'PayPal\\Handler\\IPayPalHandler' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Handler/IPayPalHandler.php',
'PayPal\\Handler\\OauthHandler' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Handler/OauthHandler.php',
'PayPal\\Handler\\RestHandler' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Handler/RestHandler.php',
'PayPal\\Log\\PayPalDefaultLogFactory' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Log/PayPalDefaultLogFactory.php',
'PayPal\\Log\\PayPalLogFactory' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Log/PayPalLogFactory.php',
'PayPal\\Log\\PayPalLogger' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Log/PayPalLogger.php',
'PayPal\\Rest\\ApiContext' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Rest/ApiContext.php',
'PayPal\\Rest\\IResource' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Rest/IResource.php',
'PayPal\\Security\\Cipher' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Security/Cipher.php',
'PayPal\\Transport\\PayPalRestCall' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Transport/PayPalRestCall.php',
'PayPal\\Validation\\ArgumentValidator' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Validation/ArgumentValidator.php',
'PayPal\\Validation\\JsonValidator' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Validation/JsonValidator.php',
'PayPal\\Validation\\NumericValidator' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Validation/NumericValidator.php',
'PayPal\\Validation\\UrlValidator' => $vendorDir . '/paypal/rest-api-sdk-php/lib/PayPal/Validation/UrlValidator.php',
'PaypalAbstarctModuleFrontController' => $baseDir . '/controllers/front/abstract.php',
'PaypalAddons\\classes\\API\\Onboarding\\PaypalGetAuthToken' => $baseDir . '/classes/API/Onboarding/PaypalGetAuthToken.php',
'PaypalAddons\\classes\\API\\Onboarding\\PaypalGetCredentials' => $baseDir . '/classes/API/Onboarding/PaypalGetCredentials.php',
'PaypalAddons\\classes\\API\\PaypalApiManager' => $baseDir . '/classes/API/PaypalApiManager.php',
'PaypalAddons\\classes\\API\\PaypalApiManagerInterface' => $baseDir . '/classes/API/PaypalApiManagerInterface.php',
'PaypalAddons\\classes\\API\\PaypalApiManagerMB' => $baseDir . '/classes/API/PaypalApiManagerMB.php',
'PaypalAddons\\classes\\API\\PaypalClient' => $baseDir . '/classes/API/PaypalClient.php',
'PaypalAddons\\classes\\API\\Request\\PaypalAccessTokenRequest' => $baseDir . '/classes/API/Request/PaypalAccessTokenRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalAuthorizationVoidRequest' => $baseDir . '/classes/API/Request/PaypalAuthorizationVoidRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalCaptureAuthorizeRequest' => $baseDir . '/classes/API/Request/PaypalCaptureAuthorizeRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderAuthorizeRequest' => $baseDir . '/classes/API/Request/PaypalOrderAuthorizeRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderCaptureRequest' => $baseDir . '/classes/API/Request/PaypalOrderCaptureRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderCreateRequest' => $baseDir . '/classes/API/Request/PaypalOrderCreateRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderGetRequest' => $baseDir . '/classes/API/Request/PaypalOrderGetRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderPartialRefundRequest' => $baseDir . '/classes/API/Request/PaypalOrderPartialRefundRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderPatchRequest' => $baseDir . '/classes/API/Request/PaypalOrderPatchRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderRefundRequest' => $baseDir . '/classes/API/Request/PaypalOrderRefundRequest.php',
'PaypalAddons\\classes\\API\\Request\\RequestAbstract' => $baseDir . '/classes/API/Request/RequestAbstract.php',
'PaypalAddons\\classes\\API\\Request\\RequestDummy' => $baseDir . '/classes/API/Request/RequestDummy.php',
'PaypalAddons\\classes\\API\\Request\\RequestInteface' => $baseDir . '/classes/API/Request/RequestInteface.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\CreateProfileExperienceRequest' => $baseDir . '/classes/API/Request/V_1/CreateProfileExperienceRequest.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\PaypalOrderCaptureRequest' => $baseDir . '/classes/API/Request/V_1/PaypalOrderCaptureRequest.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\PaypalOrderCreateRequest' => $baseDir . '/classes/API/Request/V_1/PaypalOrderCreateRequest.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\PaypalOrderPartialRefundRequest' => $baseDir . '/classes/API/Request/V_1/PaypalOrderPartialRefundRequest.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\PaypalOrderRefundRequest' => $baseDir . '/classes/API/Request/V_1/PaypalOrderRefundRequest.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\RequestAbstract' => $baseDir . '/classes/API/Request/V_1/RequestAbstract.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\RequestAbstractMB' => $baseDir . '/classes/API/Request/V_1/RequestAbstractMB.php',
'PaypalAddons\\classes\\API\\Response\\Address' => $baseDir . '/classes/API/Response/Address.php',
'PaypalAddons\\classes\\API\\Response\\Client' => $baseDir . '/classes/API/Response/Client.php',
'PaypalAddons\\classes\\API\\Response\\Error' => $baseDir . '/classes/API/Response/Error.php',
'PaypalAddons\\classes\\API\\Response\\PaypalResponseAccessToken' => $baseDir . '/classes/API/Response/PaypalResponseAccessToken.php',
'PaypalAddons\\classes\\API\\Response\\Response' => $baseDir . '/classes/API/Response/Response.php',
'PaypalAddons\\classes\\API\\Response\\ResponseAuthorizationVoid' => $baseDir . '/classes/API/Response/ResponseAuthorizationVoid.php',
'PaypalAddons\\classes\\API\\Response\\ResponseCaptureAuthorize' => $baseDir . '/classes/API/Response/ResponseCaptureAuthorize.php',
'PaypalAddons\\classes\\API\\Response\\ResponseCreateProfileExperience' => $baseDir . '/classes/API/Response/ResponseCreateProfileExperience.php',
'PaypalAddons\\classes\\API\\Response\\ResponseGetAuthToken' => $baseDir . '/classes/API/Response/ResponseGetAuthToken.php',
'PaypalAddons\\classes\\API\\Response\\ResponseGetCredentials' => $baseDir . '/classes/API/Response/ResponseGetCredentials.php',
'PaypalAddons\\classes\\API\\Response\\ResponseOrderCapture' => $baseDir . '/classes/API/Response/ResponseOrderCapture.php',
'PaypalAddons\\classes\\API\\Response\\ResponseOrderCreate' => $baseDir . '/classes/API/Response/ResponseOrderCreate.php',
'PaypalAddons\\classes\\API\\Response\\ResponseOrderGet' => $baseDir . '/classes/API/Response/ResponseOrderGet.php',
'PaypalAddons\\classes\\API\\Response\\ResponseOrderRefund' => $baseDir . '/classes/API/Response/ResponseOrderRefund.php',
'PaypalAddons\\classes\\AbstractMethodPaypal' => $baseDir . '/classes/AbstractMethodPaypal.php',
'PaypalAddons\\classes\\AdminPayPalController' => $baseDir . '/classes/AdminPayPalController.php',
'PaypalAddons\\classes\\Exception\\OrderFullyRefundedException' => $baseDir . '/classes/Exception/OrderFullyRefundedException.php',
'PaypalAddons\\classes\\Exception\\RefundCalculationException' => $baseDir . '/classes/Exception/RefundCalculationException.php',
'PaypalAddons\\classes\\PaypalException' => $baseDir . '/classes/PaypalException.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Definition\\CustomizeButtonStyleSectionDefinition' => $baseDir . '/classes/Shortcut/Form/Definition/CustomizeButtonStyleSectionDefinition.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Field\\FieldInteface' => $baseDir . '/classes/Shortcut/Form/Field/FieldInteface.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Field\\InputChain' => $baseDir . '/classes/Shortcut/Form/Field/InputChain.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Field\\Select' => $baseDir . '/classes/Shortcut/Form/Field/Select.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Field\\SelectOption' => $baseDir . '/classes/Shortcut/Form/Field/SelectOption.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Field\\TextInput' => $baseDir . '/classes/Shortcut/Form/Field/TextInput.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutAbstract' => $baseDir . '/classes/Shortcut/ShortcutAbstract.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutCart' => $baseDir . '/classes/Shortcut/ShortcutCart.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutConfiguration' => $baseDir . '/classes/Shortcut/ShortcutConfiguration.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutPreview' => $baseDir . '/classes/Shortcut/ShortcutPreview.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutProduct' => $baseDir . '/classes/Shortcut/ShortcutProduct.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutSignup' => $baseDir . '/classes/Shortcut/ShortcutSignup.php',
'PaypalAddons\\services\\ServicePaypalIpn' => $baseDir . '/services/ServicePaypalIpn.php',
'PaypalAddons\\services\\ServicePaypalLog' => $baseDir . '/services/ServicePaypalLog.php',
'PaypalAddons\\services\\ServicePaypalOrder' => $baseDir . '/services/ServicePaypalOrder.php',
'PaypalAddons\\services\\ServicePaypalVaulting' => $baseDir . '/services/ServicePaypalVaulting.php',
'PaypalCapture' => $baseDir . '/classes/PaypalCapture.php',
'PaypalIpn' => $baseDir . '/classes/PaypalIpn.php',
'PaypalLog' => $baseDir . '/classes/PaypalLog.php',
'PaypalOrder' => $baseDir . '/classes/PaypalOrder.php',
'PaypalPPBTlib\\AbstractMethod' => $vendorDir . '/ppbtlib/src/AbstractMethod.php',
'PaypalPPBTlib\\CommonAbstarctModuleFrontController' => $vendorDir . '/ppbtlib/src/CommonAbstarctModuleFrontController.php',
'PaypalPPBTlib\\Db\\DbSchema' => $vendorDir . '/ppbtlib/src/Db/DbSchema.php',
'PaypalPPBTlib\\Db\\DbTable' => $vendorDir . '/ppbtlib/src/Db/DbTable.php',
'PaypalPPBTlib\\Db\\DbTableDefinitionModel' => $vendorDir . '/ppbtlib/src/Db/DbTableDefinitionModel.php',
'PaypalPPBTlib\\Db\\DbTableDefinitionRelation' => $vendorDir . '/ppbtlib/src/Db/DbTableDefinitionRelation.php',
'PaypalPPBTlib\\Db\\ObjectModelDefinition' => $vendorDir . '/ppbtlib/src/Db/ObjectModelDefinition.php',
'PaypalPPBTlib\\Db\\ObjectModelExtension' => $vendorDir . '/ppbtlib/src/Db/ObjectModelExtension.php',
'PaypalPPBTlib\\Extensions\\AbstractModuleExtension' => $vendorDir . '/ppbtlib/src/Extensions/AbstractModuleExtension.php',
'PaypalPPBTlib\\Extensions\\ProcessLogger\\Classes\\ProcessLoggerObjectModel' => $vendorDir . '/ppbtlib/src/Extensions/ProcessLogger/Classes/ProcessLoggerObjectModel.php',
'PaypalPPBTlib\\Extensions\\ProcessLogger\\Controllers\\Admin\\AdminProcessLoggerController' => $vendorDir . '/ppbtlib/src/Extensions/ProcessLogger/Controllers/Admin/AdminProcessLoggerController.php',
'PaypalPPBTlib\\Extensions\\ProcessLogger\\ProcessLoggerExtension' => $vendorDir . '/ppbtlib/src/Extensions/ProcessLogger/ProcessLoggerExtension.php',
'PaypalPPBTlib\\Extensions\\ProcessLogger\\ProcessLoggerHandler' => $vendorDir . '/ppbtlib/src/Extensions/ProcessLogger/ProcessLoggerHandler.php',
'PaypalPPBTlib\\Install\\AbstractInstaller' => $vendorDir . '/ppbtlib/src/Install/AbstractInstaller.php',
'PaypalPPBTlib\\Install\\ExtensionInstaller' => $vendorDir . '/ppbtlib/src/Install/ExtensionInstaller.php',
'PaypalPPBTlib\\Install\\ModuleInstaller' => $vendorDir . '/ppbtlib/src/Install/ModuleInstaller.php',
'PaypalVaulting' => $baseDir . '/classes/PaypalVaulting.php',
'Psr\\Http\\Message\\MessageInterface' => $vendorDir . '/psr/http-message/src/MessageInterface.php',
'Psr\\Http\\Message\\RequestInterface' => $vendorDir . '/psr/http-message/src/RequestInterface.php',
'Psr\\Http\\Message\\ResponseInterface' => $vendorDir . '/psr/http-message/src/ResponseInterface.php',
'Psr\\Http\\Message\\ServerRequestInterface' => $vendorDir . '/psr/http-message/src/ServerRequestInterface.php',
'Psr\\Http\\Message\\StreamInterface' => $vendorDir . '/psr/http-message/src/StreamInterface.php',
'Psr\\Http\\Message\\UploadedFileInterface' => $vendorDir . '/psr/http-message/src/UploadedFileInterface.php',
'Psr\\Http\\Message\\UriInterface' => $vendorDir . '/psr/http-message/src/UriInterface.php',
'Psr\\Log\\AbstractLogger' => $vendorDir . '/psr/log/Psr/Log/AbstractLogger.php',
'Psr\\Log\\InvalidArgumentException' => $vendorDir . '/psr/log/Psr/Log/InvalidArgumentException.php',
'Psr\\Log\\LogLevel' => $vendorDir . '/psr/log/Psr/Log/LogLevel.php',
'Psr\\Log\\LoggerAwareInterface' => $vendorDir . '/psr/log/Psr/Log/LoggerAwareInterface.php',
'Psr\\Log\\LoggerAwareTrait' => $vendorDir . '/psr/log/Psr/Log/LoggerAwareTrait.php',
'Psr\\Log\\LoggerInterface' => $vendorDir . '/psr/log/Psr/Log/LoggerInterface.php',
'Psr\\Log\\LoggerTrait' => $vendorDir . '/psr/log/Psr/Log/LoggerTrait.php',
'Psr\\Log\\NullLogger' => $vendorDir . '/psr/log/Psr/Log/NullLogger.php',
'Psr\\Log\\Test\\DummyTest' => $vendorDir . '/psr/log/Psr/Log/Test/DummyTest.php',
'Psr\\Log\\Test\\LoggerInterfaceTest' => $vendorDir . '/psr/log/Psr/Log/Test/LoggerInterfaceTest.php',
'Psr\\Log\\Test\\TestLogger' => $vendorDir . '/psr/log/Psr/Log/Test/TestLogger.php',
'Sample\\AuthorizeIntentExamples\\AuthorizeOrder' => $vendorDir . '/paypal/paypal-checkout-sdk/samples/AuthorizeIntentExamples/AuthorizeOrder.php',
'Sample\\AuthorizeIntentExamples\\CaptureOrder' => $vendorDir . '/paypal/paypal-checkout-sdk/samples/AuthorizeIntentExamples/CaptureOrder.php',
'Sample\\AuthorizeIntentExamples\\CreateOrder' => $vendorDir . '/paypal/paypal-checkout-sdk/samples/AuthorizeIntentExamples/CreateOrder.php',
'Sample\\CaptureIntentExamples\\CaptureOrder' => $vendorDir . '/paypal/paypal-checkout-sdk/samples/CaptureIntentExamples/CaptureOrder.php',
'Sample\\CaptureIntentExamples\\CreateOrder' => $vendorDir . '/paypal/paypal-checkout-sdk/samples/CaptureIntentExamples/CreateOrder.php',
'Sample\\GetOrder' => $vendorDir . '/paypal/paypal-checkout-sdk/samples/GetOrder.php',
'Sample\\PatchOrder' => $vendorDir . '/paypal/paypal-checkout-sdk/samples/PatchOrder.php',
'Sample\\PayPalClient' => $vendorDir . '/paypal/paypal-checkout-sdk/samples/PayPalClient.php',
'Sample\\RefundOrder' => $vendorDir . '/paypal/paypal-checkout-sdk/samples/RefundOrder.php',
'SessionUpdateTimestampHandlerInterface' => $vendorDir . '/symfony/polyfill-php70/Resources/stubs/SessionUpdateTimestampHandlerInterface.php',
'Symfony\\Polyfill\\Intl\\Idn\\Idn' => $vendorDir . '/symfony/polyfill-intl-idn/Idn.php',
'Symfony\\Polyfill\\Intl\\Idn\\Info' => $vendorDir . '/symfony/polyfill-intl-idn/Info.php',
'Symfony\\Polyfill\\Intl\\Idn\\Resources\\unidata\\DisallowedRanges' => $vendorDir . '/symfony/polyfill-intl-idn/Resources/unidata/DisallowedRanges.php',
'Symfony\\Polyfill\\Intl\\Idn\\Resources\\unidata\\Regex' => $vendorDir . '/symfony/polyfill-intl-idn/Resources/unidata/Regex.php',
'Symfony\\Polyfill\\Intl\\Normalizer\\Normalizer' => $vendorDir . '/symfony/polyfill-intl-normalizer/Normalizer.php',
'Symfony\\Polyfill\\Php70\\Php70' => $vendorDir . '/symfony/polyfill-php70/Php70.php',
'Symfony\\Polyfill\\Php72\\Php72' => $vendorDir . '/symfony/polyfill-php72/Php72.php',
'TypeError' => $vendorDir . '/symfony/polyfill-php70/Resources/stubs/TypeError.php',
);

View File

@@ -0,0 +1,17 @@
<?php
// autoload_files.php @generated by Composer
$vendorDir = dirname(dirname(__FILE__));
$baseDir = dirname($vendorDir);
return array(
'25072dd6e2470089de65ae7bf11d3109' => $vendorDir . '/symfony/polyfill-php72/bootstrap.php',
'023d27dca8066ef29e6739335ea73bad' => $vendorDir . '/symfony/polyfill-php70/bootstrap.php',
'e69f7f6ee287b969198c3c9d6777bd38' => $vendorDir . '/symfony/polyfill-intl-normalizer/bootstrap.php',
'7b11c4dc42b3b3023073cb14e519683c' => $vendorDir . '/ralouphie/getallheaders/src/getallheaders.php',
'f598d06aa772fa33d905e87be6398fb1' => $vendorDir . '/symfony/polyfill-intl-idn/bootstrap.php',
'a0edc8309cc5e1d60e3047b5df6b7052' => $vendorDir . '/guzzlehttp/psr7/src/functions_include.php',
'c964ee0ededf28c96ebd9db5099ef910' => $vendorDir . '/guzzlehttp/promises/src/functions_include.php',
'37a3dc5111fe8f707ab4c132ef1dbc62' => $vendorDir . '/guzzlehttp/guzzle/src/functions_include.php',
);

View File

@@ -0,0 +1,10 @@
<?php
// autoload_namespaces.php @generated by Composer
$vendorDir = dirname(dirname(__FILE__));
$baseDir = dirname($vendorDir);
return array(
'PayPal' => array($vendorDir . '/paypal/rest-api-sdk-php/lib'),
);

View File

@@ -0,0 +1,23 @@
<?php
// autoload_psr4.php @generated by Composer
$vendorDir = dirname(dirname(__FILE__));
$baseDir = dirname($vendorDir);
return array(
'Symfony\\Polyfill\\Php72\\' => array($vendorDir . '/symfony/polyfill-php72'),
'Symfony\\Polyfill\\Php70\\' => array($vendorDir . '/symfony/polyfill-php70'),
'Symfony\\Polyfill\\Intl\\Normalizer\\' => array($vendorDir . '/symfony/polyfill-intl-normalizer'),
'Symfony\\Polyfill\\Intl\\Idn\\' => array($vendorDir . '/symfony/polyfill-intl-idn'),
'Sample\\' => array($vendorDir . '/paypal/paypal-checkout-sdk/samples'),
'Psr\\Log\\' => array($vendorDir . '/psr/log/Psr/Log'),
'Psr\\Http\\Message\\' => array($vendorDir . '/psr/http-message/src'),
'PaypalPPBTlib\\' => array($vendorDir . '/ppbtlib/src'),
'PaypalAddons\\' => array($baseDir . '/'),
'PayPalHttp\\' => array($vendorDir . '/paypal/paypalhttp/lib/PayPalHttp'),
'PayPalCheckoutSdk\\' => array($vendorDir . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk'),
'GuzzleHttp\\Psr7\\' => array($vendorDir . '/guzzlehttp/psr7/src'),
'GuzzleHttp\\Promise\\' => array($vendorDir . '/guzzlehttp/promises/src'),
'GuzzleHttp\\' => array($vendorDir . '/guzzlehttp/guzzle/src'),
);

View File

@@ -0,0 +1,70 @@
<?php
// autoload_real.php @generated by Composer
class ComposerAutoloaderInitf8f58872893c0a912b9600c7350b5133
{
private static $loader;
public static function loadClassLoader($class)
{
if ('Composer\Autoload\ClassLoader' === $class) {
require __DIR__ . '/ClassLoader.php';
}
}
public static function getLoader()
{
if (null !== self::$loader) {
return self::$loader;
}
spl_autoload_register(array('ComposerAutoloaderInitf8f58872893c0a912b9600c7350b5133', 'loadClassLoader'), true, false);
self::$loader = $loader = new \Composer\Autoload\ClassLoader();
spl_autoload_unregister(array('ComposerAutoloaderInitf8f58872893c0a912b9600c7350b5133', 'loadClassLoader'));
$useStaticLoader = PHP_VERSION_ID >= 50600 && !defined('HHVM_VERSION') && (!function_exists('zend_loader_file_encoded') || !zend_loader_file_encoded());
if ($useStaticLoader) {
require_once __DIR__ . '/autoload_static.php';
call_user_func(\Composer\Autoload\ComposerStaticInitf8f58872893c0a912b9600c7350b5133::getInitializer($loader));
} else {
$map = require __DIR__ . '/autoload_namespaces.php';
foreach ($map as $namespace => $path) {
$loader->set($namespace, $path);
}
$map = require __DIR__ . '/autoload_psr4.php';
foreach ($map as $namespace => $path) {
$loader->setPsr4($namespace, $path);
}
$classMap = require __DIR__ . '/autoload_classmap.php';
if ($classMap) {
$loader->addClassMap($classMap);
}
}
$loader->register(false);
if ($useStaticLoader) {
$includeFiles = Composer\Autoload\ComposerStaticInitf8f58872893c0a912b9600c7350b5133::$files;
} else {
$includeFiles = require __DIR__ . '/autoload_files.php';
}
foreach ($includeFiles as $fileIdentifier => $file) {
composerRequiref8f58872893c0a912b9600c7350b5133($fileIdentifier, $file);
}
return $loader;
}
}
function composerRequiref8f58872893c0a912b9600c7350b5133($fileIdentifier, $file)
{
if (empty($GLOBALS['__composer_autoload_files'][$fileIdentifier])) {
require $file;
$GLOBALS['__composer_autoload_files'][$fileIdentifier] = true;
}
}

View File

@@ -0,0 +1,531 @@
<?php
// autoload_static.php @generated by Composer
namespace Composer\Autoload;
class ComposerStaticInitf8f58872893c0a912b9600c7350b5133
{
public static $files = array (
'25072dd6e2470089de65ae7bf11d3109' => __DIR__ . '/..' . '/symfony/polyfill-php72/bootstrap.php',
'023d27dca8066ef29e6739335ea73bad' => __DIR__ . '/..' . '/symfony/polyfill-php70/bootstrap.php',
'e69f7f6ee287b969198c3c9d6777bd38' => __DIR__ . '/..' . '/symfony/polyfill-intl-normalizer/bootstrap.php',
'7b11c4dc42b3b3023073cb14e519683c' => __DIR__ . '/..' . '/ralouphie/getallheaders/src/getallheaders.php',
'f598d06aa772fa33d905e87be6398fb1' => __DIR__ . '/..' . '/symfony/polyfill-intl-idn/bootstrap.php',
'a0edc8309cc5e1d60e3047b5df6b7052' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/functions_include.php',
'c964ee0ededf28c96ebd9db5099ef910' => __DIR__ . '/..' . '/guzzlehttp/promises/src/functions_include.php',
'37a3dc5111fe8f707ab4c132ef1dbc62' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/functions_include.php',
);
public static $prefixLengthsPsr4 = array (
'S' =>
array (
'Symfony\\Polyfill\\Php72\\' => 23,
'Symfony\\Polyfill\\Php70\\' => 23,
'Symfony\\Polyfill\\Intl\\Normalizer\\' => 33,
'Symfony\\Polyfill\\Intl\\Idn\\' => 26,
'Sample\\' => 7,
),
'P' =>
array (
'Psr\\Log\\' => 8,
'Psr\\Http\\Message\\' => 17,
'PaypalPPBTlib\\' => 14,
'PaypalAddons\\' => 13,
'PayPalHttp\\' => 11,
'PayPalCheckoutSdk\\' => 18,
),
'G' =>
array (
'GuzzleHttp\\Psr7\\' => 16,
'GuzzleHttp\\Promise\\' => 19,
'GuzzleHttp\\' => 11,
),
);
public static $prefixDirsPsr4 = array (
'Symfony\\Polyfill\\Php72\\' =>
array (
0 => __DIR__ . '/..' . '/symfony/polyfill-php72',
),
'Symfony\\Polyfill\\Php70\\' =>
array (
0 => __DIR__ . '/..' . '/symfony/polyfill-php70',
),
'Symfony\\Polyfill\\Intl\\Normalizer\\' =>
array (
0 => __DIR__ . '/..' . '/symfony/polyfill-intl-normalizer',
),
'Symfony\\Polyfill\\Intl\\Idn\\' =>
array (
0 => __DIR__ . '/..' . '/symfony/polyfill-intl-idn',
),
'Sample\\' =>
array (
0 => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/samples',
),
'Psr\\Log\\' =>
array (
0 => __DIR__ . '/..' . '/psr/log/Psr/Log',
),
'Psr\\Http\\Message\\' =>
array (
0 => __DIR__ . '/..' . '/psr/http-message/src',
),
'PaypalPPBTlib\\' =>
array (
0 => __DIR__ . '/..' . '/ppbtlib/src',
),
'PaypalAddons\\' =>
array (
0 => __DIR__ . '/../..' . '/',
),
'PayPalHttp\\' =>
array (
0 => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp',
),
'PayPalCheckoutSdk\\' =>
array (
0 => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk',
),
'GuzzleHttp\\Psr7\\' =>
array (
0 => __DIR__ . '/..' . '/guzzlehttp/psr7/src',
),
'GuzzleHttp\\Promise\\' =>
array (
0 => __DIR__ . '/..' . '/guzzlehttp/promises/src',
),
'GuzzleHttp\\' =>
array (
0 => __DIR__ . '/..' . '/guzzlehttp/guzzle/src',
),
);
public static $prefixesPsr0 = array (
'P' =>
array (
'PayPal' =>
array (
0 => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib',
),
),
);
public static $classMap = array (
'ArithmeticError' => __DIR__ . '/..' . '/symfony/polyfill-php70/Resources/stubs/ArithmeticError.php',
'AssertionError' => __DIR__ . '/..' . '/symfony/polyfill-php70/Resources/stubs/AssertionError.php',
'DivisionByZeroError' => __DIR__ . '/..' . '/symfony/polyfill-php70/Resources/stubs/DivisionByZeroError.php',
'Error' => __DIR__ . '/..' . '/symfony/polyfill-php70/Resources/stubs/Error.php',
'GuzzleHttp\\Client' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Client.php',
'GuzzleHttp\\ClientInterface' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/ClientInterface.php',
'GuzzleHttp\\Cookie\\CookieJar' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Cookie/CookieJar.php',
'GuzzleHttp\\Cookie\\CookieJarInterface' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Cookie/CookieJarInterface.php',
'GuzzleHttp\\Cookie\\FileCookieJar' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Cookie/FileCookieJar.php',
'GuzzleHttp\\Cookie\\SessionCookieJar' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Cookie/SessionCookieJar.php',
'GuzzleHttp\\Cookie\\SetCookie' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Cookie/SetCookie.php',
'GuzzleHttp\\Exception\\BadResponseException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/BadResponseException.php',
'GuzzleHttp\\Exception\\ClientException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/ClientException.php',
'GuzzleHttp\\Exception\\ConnectException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/ConnectException.php',
'GuzzleHttp\\Exception\\GuzzleException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/GuzzleException.php',
'GuzzleHttp\\Exception\\InvalidArgumentException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/InvalidArgumentException.php',
'GuzzleHttp\\Exception\\RequestException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/RequestException.php',
'GuzzleHttp\\Exception\\SeekException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/SeekException.php',
'GuzzleHttp\\Exception\\ServerException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/ServerException.php',
'GuzzleHttp\\Exception\\TooManyRedirectsException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/TooManyRedirectsException.php',
'GuzzleHttp\\Exception\\TransferException' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Exception/TransferException.php',
'GuzzleHttp\\HandlerStack' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/HandlerStack.php',
'GuzzleHttp\\Handler\\CurlFactory' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/CurlFactory.php',
'GuzzleHttp\\Handler\\CurlFactoryInterface' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/CurlFactoryInterface.php',
'GuzzleHttp\\Handler\\CurlHandler' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/CurlHandler.php',
'GuzzleHttp\\Handler\\CurlMultiHandler' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/CurlMultiHandler.php',
'GuzzleHttp\\Handler\\EasyHandle' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/EasyHandle.php',
'GuzzleHttp\\Handler\\MockHandler' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/MockHandler.php',
'GuzzleHttp\\Handler\\Proxy' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/Proxy.php',
'GuzzleHttp\\Handler\\StreamHandler' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Handler/StreamHandler.php',
'GuzzleHttp\\MessageFormatter' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/MessageFormatter.php',
'GuzzleHttp\\Middleware' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Middleware.php',
'GuzzleHttp\\Pool' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Pool.php',
'GuzzleHttp\\PrepareBodyMiddleware' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/PrepareBodyMiddleware.php',
'GuzzleHttp\\Promise\\AggregateException' => __DIR__ . '/..' . '/guzzlehttp/promises/src/AggregateException.php',
'GuzzleHttp\\Promise\\CancellationException' => __DIR__ . '/..' . '/guzzlehttp/promises/src/CancellationException.php',
'GuzzleHttp\\Promise\\Coroutine' => __DIR__ . '/..' . '/guzzlehttp/promises/src/Coroutine.php',
'GuzzleHttp\\Promise\\EachPromise' => __DIR__ . '/..' . '/guzzlehttp/promises/src/EachPromise.php',
'GuzzleHttp\\Promise\\FulfilledPromise' => __DIR__ . '/..' . '/guzzlehttp/promises/src/FulfilledPromise.php',
'GuzzleHttp\\Promise\\Promise' => __DIR__ . '/..' . '/guzzlehttp/promises/src/Promise.php',
'GuzzleHttp\\Promise\\PromiseInterface' => __DIR__ . '/..' . '/guzzlehttp/promises/src/PromiseInterface.php',
'GuzzleHttp\\Promise\\PromisorInterface' => __DIR__ . '/..' . '/guzzlehttp/promises/src/PromisorInterface.php',
'GuzzleHttp\\Promise\\RejectedPromise' => __DIR__ . '/..' . '/guzzlehttp/promises/src/RejectedPromise.php',
'GuzzleHttp\\Promise\\RejectionException' => __DIR__ . '/..' . '/guzzlehttp/promises/src/RejectionException.php',
'GuzzleHttp\\Promise\\TaskQueue' => __DIR__ . '/..' . '/guzzlehttp/promises/src/TaskQueue.php',
'GuzzleHttp\\Promise\\TaskQueueInterface' => __DIR__ . '/..' . '/guzzlehttp/promises/src/TaskQueueInterface.php',
'GuzzleHttp\\Psr7\\AppendStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/AppendStream.php',
'GuzzleHttp\\Psr7\\BufferStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/BufferStream.php',
'GuzzleHttp\\Psr7\\CachingStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/CachingStream.php',
'GuzzleHttp\\Psr7\\DroppingStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/DroppingStream.php',
'GuzzleHttp\\Psr7\\FnStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/FnStream.php',
'GuzzleHttp\\Psr7\\InflateStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/InflateStream.php',
'GuzzleHttp\\Psr7\\LazyOpenStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/LazyOpenStream.php',
'GuzzleHttp\\Psr7\\LimitStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/LimitStream.php',
'GuzzleHttp\\Psr7\\MessageTrait' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/MessageTrait.php',
'GuzzleHttp\\Psr7\\MultipartStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/MultipartStream.php',
'GuzzleHttp\\Psr7\\NoSeekStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/NoSeekStream.php',
'GuzzleHttp\\Psr7\\PumpStream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/PumpStream.php',
'GuzzleHttp\\Psr7\\Request' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Request.php',
'GuzzleHttp\\Psr7\\Response' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Response.php',
'GuzzleHttp\\Psr7\\Rfc7230' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Rfc7230.php',
'GuzzleHttp\\Psr7\\ServerRequest' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/ServerRequest.php',
'GuzzleHttp\\Psr7\\Stream' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Stream.php',
'GuzzleHttp\\Psr7\\StreamDecoratorTrait' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/StreamDecoratorTrait.php',
'GuzzleHttp\\Psr7\\StreamWrapper' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/StreamWrapper.php',
'GuzzleHttp\\Psr7\\UploadedFile' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/UploadedFile.php',
'GuzzleHttp\\Psr7\\Uri' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/Uri.php',
'GuzzleHttp\\Psr7\\UriNormalizer' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/UriNormalizer.php',
'GuzzleHttp\\Psr7\\UriResolver' => __DIR__ . '/..' . '/guzzlehttp/psr7/src/UriResolver.php',
'GuzzleHttp\\RedirectMiddleware' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/RedirectMiddleware.php',
'GuzzleHttp\\RequestOptions' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/RequestOptions.php',
'GuzzleHttp\\RetryMiddleware' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/RetryMiddleware.php',
'GuzzleHttp\\TransferStats' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/TransferStats.php',
'GuzzleHttp\\UriTemplate' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/UriTemplate.php',
'GuzzleHttp\\Utils' => __DIR__ . '/..' . '/guzzlehttp/guzzle/src/Utils.php',
'Normalizer' => __DIR__ . '/..' . '/symfony/polyfill-intl-normalizer/Resources/stubs/Normalizer.php',
'ParseError' => __DIR__ . '/..' . '/symfony/polyfill-php70/Resources/stubs/ParseError.php',
'PayPalCheckoutSdk\\Core\\AccessToken' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/AccessToken.php',
'PayPalCheckoutSdk\\Core\\AccessTokenRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/AccessTokenRequest.php',
'PayPalCheckoutSdk\\Core\\AuthorizationInjector' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/AuthorizationInjector.php',
'PayPalCheckoutSdk\\Core\\FPTIInstrumentationInjector' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/FPTIInstrumentationInjector.php',
'PayPalCheckoutSdk\\Core\\GzipInjector' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/GzipInjector.php',
'PayPalCheckoutSdk\\Core\\PayPalEnvironment' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/PayPalEnvironment.php',
'PayPalCheckoutSdk\\Core\\PayPalHttpClient' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/PayPalHttpClient.php',
'PayPalCheckoutSdk\\Core\\ProductionEnvironment' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/ProductionEnvironment.php',
'PayPalCheckoutSdk\\Core\\RefreshTokenRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/RefreshTokenRequest.php',
'PayPalCheckoutSdk\\Core\\SandboxEnvironment' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/SandboxEnvironment.php',
'PayPalCheckoutSdk\\Core\\UserAgent' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/UserAgent.php',
'PayPalCheckoutSdk\\Core\\Version' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Core/Version.php',
'PayPalCheckoutSdk\\Orders\\OrdersAuthorizeRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersAuthorizeRequest.php',
'PayPalCheckoutSdk\\Orders\\OrdersCaptureRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersCaptureRequest.php',
'PayPalCheckoutSdk\\Orders\\OrdersCreateRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersCreateRequest.php',
'PayPalCheckoutSdk\\Orders\\OrdersGetRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersGetRequest.php',
'PayPalCheckoutSdk\\Orders\\OrdersPatchRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersPatchRequest.php',
'PayPalCheckoutSdk\\Orders\\OrdersValidateRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Orders/OrdersValidateRequest.php',
'PayPalCheckoutSdk\\Payments\\AuthorizationsCaptureRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/AuthorizationsCaptureRequest.php',
'PayPalCheckoutSdk\\Payments\\AuthorizationsGetRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/AuthorizationsGetRequest.php',
'PayPalCheckoutSdk\\Payments\\AuthorizationsReauthorizeRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/AuthorizationsReauthorizeRequest.php',
'PayPalCheckoutSdk\\Payments\\AuthorizationsVoidRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/AuthorizationsVoidRequest.php',
'PayPalCheckoutSdk\\Payments\\CapturesGetRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/CapturesGetRequest.php',
'PayPalCheckoutSdk\\Payments\\CapturesRefundRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/CapturesRefundRequest.php',
'PayPalCheckoutSdk\\Payments\\RefundsGetRequest' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/lib/PayPalCheckoutSdk/Payments/RefundsGetRequest.php',
'PayPalHttp\\Curl' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/Curl.php',
'PayPalHttp\\Encoder' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/Encoder.php',
'PayPalHttp\\Environment' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/Environment.php',
'PayPalHttp\\HttpClient' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/HttpClient.php',
'PayPalHttp\\HttpException' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/HttpException.php',
'PayPalHttp\\HttpRequest' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/HttpRequest.php',
'PayPalHttp\\HttpResponse' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/HttpResponse.php',
'PayPalHttp\\IOException' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/IOException.php',
'PayPalHttp\\Injector' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/Injector.php',
'PayPalHttp\\Serializer' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/Serializer.php',
'PayPalHttp\\Serializer\\Form' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/Serializer/Form.php',
'PayPalHttp\\Serializer\\FormPart' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/Serializer/FormPart.php',
'PayPalHttp\\Serializer\\Json' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/Serializer/Json.php',
'PayPalHttp\\Serializer\\Multipart' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/Serializer/Multipart.php',
'PayPalHttp\\Serializer\\Text' => __DIR__ . '/..' . '/paypal/paypalhttp/lib/PayPalHttp/Serializer/Text.php',
'PayPal\\Api\\Address' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Address.php',
'PayPal\\Api\\Agreement' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Agreement.php',
'PayPal\\Api\\AgreementDetails' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/AgreementDetails.php',
'PayPal\\Api\\AgreementStateDescriptor' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/AgreementStateDescriptor.php',
'PayPal\\Api\\AgreementTransaction' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/AgreementTransaction.php',
'PayPal\\Api\\AgreementTransactions' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/AgreementTransactions.php',
'PayPal\\Api\\AlternatePayment' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/AlternatePayment.php',
'PayPal\\Api\\Amount' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Amount.php',
'PayPal\\Api\\Authorization' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Authorization.php',
'PayPal\\Api\\BankAccount' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BankAccount.php',
'PayPal\\Api\\BankAccountsList' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BankAccountsList.php',
'PayPal\\Api\\BankToken' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BankToken.php',
'PayPal\\Api\\BaseAddress' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BaseAddress.php',
'PayPal\\Api\\Billing' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Billing.php',
'PayPal\\Api\\BillingAgreementToken' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BillingAgreementToken.php',
'PayPal\\Api\\BillingInfo' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/BillingInfo.php',
'PayPal\\Api\\CancelNotification' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CancelNotification.php',
'PayPal\\Api\\Capture' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Capture.php',
'PayPal\\Api\\CarrierAccount' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CarrierAccount.php',
'PayPal\\Api\\CarrierAccountToken' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CarrierAccountToken.php',
'PayPal\\Api\\CartBase' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CartBase.php',
'PayPal\\Api\\ChargeModel' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ChargeModel.php',
'PayPal\\Api\\Cost' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Cost.php',
'PayPal\\Api\\CountryCode' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CountryCode.php',
'PayPal\\Api\\CreateProfileResponse' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreateProfileResponse.php',
'PayPal\\Api\\Credit' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Credit.php',
'PayPal\\Api\\CreditCard' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreditCard.php',
'PayPal\\Api\\CreditCardHistory' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreditCardHistory.php',
'PayPal\\Api\\CreditCardList' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreditCardList.php',
'PayPal\\Api\\CreditCardToken' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreditCardToken.php',
'PayPal\\Api\\CreditFinancingOffered' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CreditFinancingOffered.php',
'PayPal\\Api\\Currency' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Currency.php',
'PayPal\\Api\\CurrencyConversion' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CurrencyConversion.php',
'PayPal\\Api\\CustomAmount' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/CustomAmount.php',
'PayPal\\Api\\DetailedRefund' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/DetailedRefund.php',
'PayPal\\Api\\Details' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Details.php',
'PayPal\\Api\\Error' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Error.php',
'PayPal\\Api\\ErrorDetails' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ErrorDetails.php',
'PayPal\\Api\\ExtendedBankAccount' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ExtendedBankAccount.php',
'PayPal\\Api\\ExternalFunding' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ExternalFunding.php',
'PayPal\\Api\\FileAttachment' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FileAttachment.php',
'PayPal\\Api\\FlowConfig' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FlowConfig.php',
'PayPal\\Api\\FmfDetails' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FmfDetails.php',
'PayPal\\Api\\FundingDetail' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FundingDetail.php',
'PayPal\\Api\\FundingInstrument' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FundingInstrument.php',
'PayPal\\Api\\FundingOption' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FundingOption.php',
'PayPal\\Api\\FundingSource' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FundingSource.php',
'PayPal\\Api\\FuturePayment' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/FuturePayment.php',
'PayPal\\Api\\HyperSchema' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/HyperSchema.php',
'PayPal\\Api\\Image' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Image.php',
'PayPal\\Api\\Incentive' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Incentive.php',
'PayPal\\Api\\InputFields' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InputFields.php',
'PayPal\\Api\\InstallmentInfo' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InstallmentInfo.php',
'PayPal\\Api\\InstallmentOption' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InstallmentOption.php',
'PayPal\\Api\\Invoice' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Invoice.php',
'PayPal\\Api\\InvoiceAddress' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InvoiceAddress.php',
'PayPal\\Api\\InvoiceItem' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InvoiceItem.php',
'PayPal\\Api\\InvoiceNumber' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InvoiceNumber.php',
'PayPal\\Api\\InvoiceSearchResponse' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/InvoiceSearchResponse.php',
'PayPal\\Api\\Item' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Item.php',
'PayPal\\Api\\ItemList' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ItemList.php',
'PayPal\\Api\\Links' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Links.php',
'PayPal\\Api\\Measurement' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Measurement.php',
'PayPal\\Api\\MerchantInfo' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/MerchantInfo.php',
'PayPal\\Api\\MerchantPreferences' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/MerchantPreferences.php',
'PayPal\\Api\\Metadata' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Metadata.php',
'PayPal\\Api\\NameValuePair' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/NameValuePair.php',
'PayPal\\Api\\Notification' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Notification.php',
'PayPal\\Api\\OpenIdAddress' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OpenIdAddress.php',
'PayPal\\Api\\OpenIdError' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OpenIdError.php',
'PayPal\\Api\\OpenIdSession' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OpenIdSession.php',
'PayPal\\Api\\OpenIdTokeninfo' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OpenIdTokeninfo.php',
'PayPal\\Api\\OpenIdUserinfo' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OpenIdUserinfo.php',
'PayPal\\Api\\Order' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Order.php',
'PayPal\\Api\\OverrideChargeModel' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/OverrideChargeModel.php',
'PayPal\\Api\\Participant' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Participant.php',
'PayPal\\Api\\Patch' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Patch.php',
'PayPal\\Api\\PatchRequest' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PatchRequest.php',
'PayPal\\Api\\Payee' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Payee.php',
'PayPal\\Api\\Payer' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Payer.php',
'PayPal\\Api\\PayerInfo' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayerInfo.php',
'PayPal\\Api\\Payment' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Payment.php',
'PayPal\\Api\\PaymentCard' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentCard.php',
'PayPal\\Api\\PaymentCardToken' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentCardToken.php',
'PayPal\\Api\\PaymentDefinition' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentDefinition.php',
'PayPal\\Api\\PaymentDetail' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentDetail.php',
'PayPal\\Api\\PaymentExecution' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentExecution.php',
'PayPal\\Api\\PaymentHistory' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentHistory.php',
'PayPal\\Api\\PaymentInstruction' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentInstruction.php',
'PayPal\\Api\\PaymentOptions' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentOptions.php',
'PayPal\\Api\\PaymentSummary' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentSummary.php',
'PayPal\\Api\\PaymentTerm' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PaymentTerm.php',
'PayPal\\Api\\Payout' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Payout.php',
'PayPal\\Api\\PayoutBatch' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayoutBatch.php',
'PayPal\\Api\\PayoutBatchHeader' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayoutBatchHeader.php',
'PayPal\\Api\\PayoutItem' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayoutItem.php',
'PayPal\\Api\\PayoutItemDetails' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayoutItemDetails.php',
'PayPal\\Api\\PayoutSenderBatchHeader' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PayoutSenderBatchHeader.php',
'PayPal\\Api\\Phone' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Phone.php',
'PayPal\\Api\\Plan' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Plan.php',
'PayPal\\Api\\PlanList' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PlanList.php',
'PayPal\\Api\\PotentialPayerInfo' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PotentialPayerInfo.php',
'PayPal\\Api\\Presentation' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Presentation.php',
'PayPal\\Api\\PrivateLabelCard' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/PrivateLabelCard.php',
'PayPal\\Api\\ProcessorResponse' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ProcessorResponse.php',
'PayPal\\Api\\RecipientBankingInstruction' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/RecipientBankingInstruction.php',
'PayPal\\Api\\RedirectUrls' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/RedirectUrls.php',
'PayPal\\Api\\Refund' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Refund.php',
'PayPal\\Api\\RefundDetail' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/RefundDetail.php',
'PayPal\\Api\\RefundRequest' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/RefundRequest.php',
'PayPal\\Api\\RelatedResources' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/RelatedResources.php',
'PayPal\\Api\\Sale' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Sale.php',
'PayPal\\Api\\Search' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Search.php',
'PayPal\\Api\\ShippingAddress' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ShippingAddress.php',
'PayPal\\Api\\ShippingCost' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ShippingCost.php',
'PayPal\\Api\\ShippingInfo' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/ShippingInfo.php',
'PayPal\\Api\\Tax' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Tax.php',
'PayPal\\Api\\Template' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Template.php',
'PayPal\\Api\\TemplateData' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/TemplateData.php',
'PayPal\\Api\\TemplateSettings' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/TemplateSettings.php',
'PayPal\\Api\\TemplateSettingsMetadata' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/TemplateSettingsMetadata.php',
'PayPal\\Api\\Templates' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Templates.php',
'PayPal\\Api\\Terms' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Terms.php',
'PayPal\\Api\\Transaction' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Transaction.php',
'PayPal\\Api\\TransactionBase' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/TransactionBase.php',
'PayPal\\Api\\Transactions' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Transactions.php',
'PayPal\\Api\\VerifyWebhookSignature' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/VerifyWebhookSignature.php',
'PayPal\\Api\\VerifyWebhookSignatureResponse' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/VerifyWebhookSignatureResponse.php',
'PayPal\\Api\\WebProfile' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebProfile.php',
'PayPal\\Api\\Webhook' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/Webhook.php',
'PayPal\\Api\\WebhookEvent' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebhookEvent.php',
'PayPal\\Api\\WebhookEventList' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebhookEventList.php',
'PayPal\\Api\\WebhookEventType' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebhookEventType.php',
'PayPal\\Api\\WebhookEventTypeList' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebhookEventTypeList.php',
'PayPal\\Api\\WebhookList' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Api/WebhookList.php',
'PayPal\\Auth\\OAuthTokenCredential' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Auth/OAuthTokenCredential.php',
'PayPal\\Cache\\AuthorizationCache' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Cache/AuthorizationCache.php',
'PayPal\\Common\\ArrayUtil' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Common/ArrayUtil.php',
'PayPal\\Common\\PayPalModel' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Common/PayPalModel.php',
'PayPal\\Common\\PayPalResourceModel' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Common/PayPalResourceModel.php',
'PayPal\\Common\\PayPalUserAgent' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Common/PayPalUserAgent.php',
'PayPal\\Common\\ReflectionUtil' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Common/ReflectionUtil.php',
'PayPal\\Converter\\FormatConverter' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Converter/FormatConverter.php',
'PayPal\\Core\\PayPalConfigManager' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalConfigManager.php',
'PayPal\\Core\\PayPalConstants' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalConstants.php',
'PayPal\\Core\\PayPalCredentialManager' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalCredentialManager.php',
'PayPal\\Core\\PayPalHttpConfig' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalHttpConfig.php',
'PayPal\\Core\\PayPalHttpConnection' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalHttpConnection.php',
'PayPal\\Core\\PayPalLoggingManager' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Core/PayPalLoggingManager.php',
'PayPal\\Exception\\PayPalConfigurationException' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Exception/PayPalConfigurationException.php',
'PayPal\\Exception\\PayPalConnectionException' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Exception/PayPalConnectionException.php',
'PayPal\\Exception\\PayPalInvalidCredentialException' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Exception/PayPalInvalidCredentialException.php',
'PayPal\\Exception\\PayPalMissingCredentialException' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Exception/PayPalMissingCredentialException.php',
'PayPal\\Handler\\IPayPalHandler' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Handler/IPayPalHandler.php',
'PayPal\\Handler\\OauthHandler' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Handler/OauthHandler.php',
'PayPal\\Handler\\RestHandler' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Handler/RestHandler.php',
'PayPal\\Log\\PayPalDefaultLogFactory' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Log/PayPalDefaultLogFactory.php',
'PayPal\\Log\\PayPalLogFactory' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Log/PayPalLogFactory.php',
'PayPal\\Log\\PayPalLogger' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Log/PayPalLogger.php',
'PayPal\\Rest\\ApiContext' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Rest/ApiContext.php',
'PayPal\\Rest\\IResource' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Rest/IResource.php',
'PayPal\\Security\\Cipher' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Security/Cipher.php',
'PayPal\\Transport\\PayPalRestCall' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Transport/PayPalRestCall.php',
'PayPal\\Validation\\ArgumentValidator' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Validation/ArgumentValidator.php',
'PayPal\\Validation\\JsonValidator' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Validation/JsonValidator.php',
'PayPal\\Validation\\NumericValidator' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Validation/NumericValidator.php',
'PayPal\\Validation\\UrlValidator' => __DIR__ . '/..' . '/paypal/rest-api-sdk-php/lib/PayPal/Validation/UrlValidator.php',
'PaypalAbstarctModuleFrontController' => __DIR__ . '/../..' . '/controllers/front/abstract.php',
'PaypalAddons\\classes\\API\\Onboarding\\PaypalGetAuthToken' => __DIR__ . '/../..' . '/classes/API/Onboarding/PaypalGetAuthToken.php',
'PaypalAddons\\classes\\API\\Onboarding\\PaypalGetCredentials' => __DIR__ . '/../..' . '/classes/API/Onboarding/PaypalGetCredentials.php',
'PaypalAddons\\classes\\API\\PaypalApiManager' => __DIR__ . '/../..' . '/classes/API/PaypalApiManager.php',
'PaypalAddons\\classes\\API\\PaypalApiManagerInterface' => __DIR__ . '/../..' . '/classes/API/PaypalApiManagerInterface.php',
'PaypalAddons\\classes\\API\\PaypalApiManagerMB' => __DIR__ . '/../..' . '/classes/API/PaypalApiManagerMB.php',
'PaypalAddons\\classes\\API\\PaypalClient' => __DIR__ . '/../..' . '/classes/API/PaypalClient.php',
'PaypalAddons\\classes\\API\\Request\\PaypalAccessTokenRequest' => __DIR__ . '/../..' . '/classes/API/Request/PaypalAccessTokenRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalAuthorizationVoidRequest' => __DIR__ . '/../..' . '/classes/API/Request/PaypalAuthorizationVoidRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalCaptureAuthorizeRequest' => __DIR__ . '/../..' . '/classes/API/Request/PaypalCaptureAuthorizeRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderAuthorizeRequest' => __DIR__ . '/../..' . '/classes/API/Request/PaypalOrderAuthorizeRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderCaptureRequest' => __DIR__ . '/../..' . '/classes/API/Request/PaypalOrderCaptureRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderCreateRequest' => __DIR__ . '/../..' . '/classes/API/Request/PaypalOrderCreateRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderGetRequest' => __DIR__ . '/../..' . '/classes/API/Request/PaypalOrderGetRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderPartialRefundRequest' => __DIR__ . '/../..' . '/classes/API/Request/PaypalOrderPartialRefundRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderPatchRequest' => __DIR__ . '/../..' . '/classes/API/Request/PaypalOrderPatchRequest.php',
'PaypalAddons\\classes\\API\\Request\\PaypalOrderRefundRequest' => __DIR__ . '/../..' . '/classes/API/Request/PaypalOrderRefundRequest.php',
'PaypalAddons\\classes\\API\\Request\\RequestAbstract' => __DIR__ . '/../..' . '/classes/API/Request/RequestAbstract.php',
'PaypalAddons\\classes\\API\\Request\\RequestDummy' => __DIR__ . '/../..' . '/classes/API/Request/RequestDummy.php',
'PaypalAddons\\classes\\API\\Request\\RequestInteface' => __DIR__ . '/../..' . '/classes/API/Request/RequestInteface.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\CreateProfileExperienceRequest' => __DIR__ . '/../..' . '/classes/API/Request/V_1/CreateProfileExperienceRequest.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\PaypalOrderCaptureRequest' => __DIR__ . '/../..' . '/classes/API/Request/V_1/PaypalOrderCaptureRequest.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\PaypalOrderCreateRequest' => __DIR__ . '/../..' . '/classes/API/Request/V_1/PaypalOrderCreateRequest.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\PaypalOrderPartialRefundRequest' => __DIR__ . '/../..' . '/classes/API/Request/V_1/PaypalOrderPartialRefundRequest.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\PaypalOrderRefundRequest' => __DIR__ . '/../..' . '/classes/API/Request/V_1/PaypalOrderRefundRequest.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\RequestAbstract' => __DIR__ . '/../..' . '/classes/API/Request/V_1/RequestAbstract.php',
'PaypalAddons\\classes\\API\\Request\\V_1\\RequestAbstractMB' => __DIR__ . '/../..' . '/classes/API/Request/V_1/RequestAbstractMB.php',
'PaypalAddons\\classes\\API\\Response\\Address' => __DIR__ . '/../..' . '/classes/API/Response/Address.php',
'PaypalAddons\\classes\\API\\Response\\Client' => __DIR__ . '/../..' . '/classes/API/Response/Client.php',
'PaypalAddons\\classes\\API\\Response\\Error' => __DIR__ . '/../..' . '/classes/API/Response/Error.php',
'PaypalAddons\\classes\\API\\Response\\PaypalResponseAccessToken' => __DIR__ . '/../..' . '/classes/API/Response/PaypalResponseAccessToken.php',
'PaypalAddons\\classes\\API\\Response\\Response' => __DIR__ . '/../..' . '/classes/API/Response/Response.php',
'PaypalAddons\\classes\\API\\Response\\ResponseAuthorizationVoid' => __DIR__ . '/../..' . '/classes/API/Response/ResponseAuthorizationVoid.php',
'PaypalAddons\\classes\\API\\Response\\ResponseCaptureAuthorize' => __DIR__ . '/../..' . '/classes/API/Response/ResponseCaptureAuthorize.php',
'PaypalAddons\\classes\\API\\Response\\ResponseCreateProfileExperience' => __DIR__ . '/../..' . '/classes/API/Response/ResponseCreateProfileExperience.php',
'PaypalAddons\\classes\\API\\Response\\ResponseGetAuthToken' => __DIR__ . '/../..' . '/classes/API/Response/ResponseGetAuthToken.php',
'PaypalAddons\\classes\\API\\Response\\ResponseGetCredentials' => __DIR__ . '/../..' . '/classes/API/Response/ResponseGetCredentials.php',
'PaypalAddons\\classes\\API\\Response\\ResponseOrderCapture' => __DIR__ . '/../..' . '/classes/API/Response/ResponseOrderCapture.php',
'PaypalAddons\\classes\\API\\Response\\ResponseOrderCreate' => __DIR__ . '/../..' . '/classes/API/Response/ResponseOrderCreate.php',
'PaypalAddons\\classes\\API\\Response\\ResponseOrderGet' => __DIR__ . '/../..' . '/classes/API/Response/ResponseOrderGet.php',
'PaypalAddons\\classes\\API\\Response\\ResponseOrderRefund' => __DIR__ . '/../..' . '/classes/API/Response/ResponseOrderRefund.php',
'PaypalAddons\\classes\\AbstractMethodPaypal' => __DIR__ . '/../..' . '/classes/AbstractMethodPaypal.php',
'PaypalAddons\\classes\\AdminPayPalController' => __DIR__ . '/../..' . '/classes/AdminPayPalController.php',
'PaypalAddons\\classes\\Exception\\OrderFullyRefundedException' => __DIR__ . '/../..' . '/classes/Exception/OrderFullyRefundedException.php',
'PaypalAddons\\classes\\Exception\\RefundCalculationException' => __DIR__ . '/../..' . '/classes/Exception/RefundCalculationException.php',
'PaypalAddons\\classes\\PaypalException' => __DIR__ . '/../..' . '/classes/PaypalException.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Definition\\CustomizeButtonStyleSectionDefinition' => __DIR__ . '/../..' . '/classes/Shortcut/Form/Definition/CustomizeButtonStyleSectionDefinition.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Field\\FieldInteface' => __DIR__ . '/../..' . '/classes/Shortcut/Form/Field/FieldInteface.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Field\\InputChain' => __DIR__ . '/../..' . '/classes/Shortcut/Form/Field/InputChain.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Field\\Select' => __DIR__ . '/../..' . '/classes/Shortcut/Form/Field/Select.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Field\\SelectOption' => __DIR__ . '/../..' . '/classes/Shortcut/Form/Field/SelectOption.php',
'PaypalAddons\\classes\\Shortcut\\Form\\Field\\TextInput' => __DIR__ . '/../..' . '/classes/Shortcut/Form/Field/TextInput.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutAbstract' => __DIR__ . '/../..' . '/classes/Shortcut/ShortcutAbstract.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutCart' => __DIR__ . '/../..' . '/classes/Shortcut/ShortcutCart.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutConfiguration' => __DIR__ . '/../..' . '/classes/Shortcut/ShortcutConfiguration.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutPreview' => __DIR__ . '/../..' . '/classes/Shortcut/ShortcutPreview.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutProduct' => __DIR__ . '/../..' . '/classes/Shortcut/ShortcutProduct.php',
'PaypalAddons\\classes\\Shortcut\\ShortcutSignup' => __DIR__ . '/../..' . '/classes/Shortcut/ShortcutSignup.php',
'PaypalAddons\\services\\ServicePaypalIpn' => __DIR__ . '/../..' . '/services/ServicePaypalIpn.php',
'PaypalAddons\\services\\ServicePaypalLog' => __DIR__ . '/../..' . '/services/ServicePaypalLog.php',
'PaypalAddons\\services\\ServicePaypalOrder' => __DIR__ . '/../..' . '/services/ServicePaypalOrder.php',
'PaypalAddons\\services\\ServicePaypalVaulting' => __DIR__ . '/../..' . '/services/ServicePaypalVaulting.php',
'PaypalCapture' => __DIR__ . '/../..' . '/classes/PaypalCapture.php',
'PaypalIpn' => __DIR__ . '/../..' . '/classes/PaypalIpn.php',
'PaypalLog' => __DIR__ . '/../..' . '/classes/PaypalLog.php',
'PaypalOrder' => __DIR__ . '/../..' . '/classes/PaypalOrder.php',
'PaypalPPBTlib\\AbstractMethod' => __DIR__ . '/..' . '/ppbtlib/src/AbstractMethod.php',
'PaypalPPBTlib\\CommonAbstarctModuleFrontController' => __DIR__ . '/..' . '/ppbtlib/src/CommonAbstarctModuleFrontController.php',
'PaypalPPBTlib\\Db\\DbSchema' => __DIR__ . '/..' . '/ppbtlib/src/Db/DbSchema.php',
'PaypalPPBTlib\\Db\\DbTable' => __DIR__ . '/..' . '/ppbtlib/src/Db/DbTable.php',
'PaypalPPBTlib\\Db\\DbTableDefinitionModel' => __DIR__ . '/..' . '/ppbtlib/src/Db/DbTableDefinitionModel.php',
'PaypalPPBTlib\\Db\\DbTableDefinitionRelation' => __DIR__ . '/..' . '/ppbtlib/src/Db/DbTableDefinitionRelation.php',
'PaypalPPBTlib\\Db\\ObjectModelDefinition' => __DIR__ . '/..' . '/ppbtlib/src/Db/ObjectModelDefinition.php',
'PaypalPPBTlib\\Db\\ObjectModelExtension' => __DIR__ . '/..' . '/ppbtlib/src/Db/ObjectModelExtension.php',
'PaypalPPBTlib\\Extensions\\AbstractModuleExtension' => __DIR__ . '/..' . '/ppbtlib/src/Extensions/AbstractModuleExtension.php',
'PaypalPPBTlib\\Extensions\\ProcessLogger\\Classes\\ProcessLoggerObjectModel' => __DIR__ . '/..' . '/ppbtlib/src/Extensions/ProcessLogger/Classes/ProcessLoggerObjectModel.php',
'PaypalPPBTlib\\Extensions\\ProcessLogger\\Controllers\\Admin\\AdminProcessLoggerController' => __DIR__ . '/..' . '/ppbtlib/src/Extensions/ProcessLogger/Controllers/Admin/AdminProcessLoggerController.php',
'PaypalPPBTlib\\Extensions\\ProcessLogger\\ProcessLoggerExtension' => __DIR__ . '/..' . '/ppbtlib/src/Extensions/ProcessLogger/ProcessLoggerExtension.php',
'PaypalPPBTlib\\Extensions\\ProcessLogger\\ProcessLoggerHandler' => __DIR__ . '/..' . '/ppbtlib/src/Extensions/ProcessLogger/ProcessLoggerHandler.php',
'PaypalPPBTlib\\Install\\AbstractInstaller' => __DIR__ . '/..' . '/ppbtlib/src/Install/AbstractInstaller.php',
'PaypalPPBTlib\\Install\\ExtensionInstaller' => __DIR__ . '/..' . '/ppbtlib/src/Install/ExtensionInstaller.php',
'PaypalPPBTlib\\Install\\ModuleInstaller' => __DIR__ . '/..' . '/ppbtlib/src/Install/ModuleInstaller.php',
'PaypalVaulting' => __DIR__ . '/../..' . '/classes/PaypalVaulting.php',
'Psr\\Http\\Message\\MessageInterface' => __DIR__ . '/..' . '/psr/http-message/src/MessageInterface.php',
'Psr\\Http\\Message\\RequestInterface' => __DIR__ . '/..' . '/psr/http-message/src/RequestInterface.php',
'Psr\\Http\\Message\\ResponseInterface' => __DIR__ . '/..' . '/psr/http-message/src/ResponseInterface.php',
'Psr\\Http\\Message\\ServerRequestInterface' => __DIR__ . '/..' . '/psr/http-message/src/ServerRequestInterface.php',
'Psr\\Http\\Message\\StreamInterface' => __DIR__ . '/..' . '/psr/http-message/src/StreamInterface.php',
'Psr\\Http\\Message\\UploadedFileInterface' => __DIR__ . '/..' . '/psr/http-message/src/UploadedFileInterface.php',
'Psr\\Http\\Message\\UriInterface' => __DIR__ . '/..' . '/psr/http-message/src/UriInterface.php',
'Psr\\Log\\AbstractLogger' => __DIR__ . '/..' . '/psr/log/Psr/Log/AbstractLogger.php',
'Psr\\Log\\InvalidArgumentException' => __DIR__ . '/..' . '/psr/log/Psr/Log/InvalidArgumentException.php',
'Psr\\Log\\LogLevel' => __DIR__ . '/..' . '/psr/log/Psr/Log/LogLevel.php',
'Psr\\Log\\LoggerAwareInterface' => __DIR__ . '/..' . '/psr/log/Psr/Log/LoggerAwareInterface.php',
'Psr\\Log\\LoggerAwareTrait' => __DIR__ . '/..' . '/psr/log/Psr/Log/LoggerAwareTrait.php',
'Psr\\Log\\LoggerInterface' => __DIR__ . '/..' . '/psr/log/Psr/Log/LoggerInterface.php',
'Psr\\Log\\LoggerTrait' => __DIR__ . '/..' . '/psr/log/Psr/Log/LoggerTrait.php',
'Psr\\Log\\NullLogger' => __DIR__ . '/..' . '/psr/log/Psr/Log/NullLogger.php',
'Psr\\Log\\Test\\DummyTest' => __DIR__ . '/..' . '/psr/log/Psr/Log/Test/DummyTest.php',
'Psr\\Log\\Test\\LoggerInterfaceTest' => __DIR__ . '/..' . '/psr/log/Psr/Log/Test/LoggerInterfaceTest.php',
'Psr\\Log\\Test\\TestLogger' => __DIR__ . '/..' . '/psr/log/Psr/Log/Test/TestLogger.php',
'Sample\\AuthorizeIntentExamples\\AuthorizeOrder' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/samples/AuthorizeIntentExamples/AuthorizeOrder.php',
'Sample\\AuthorizeIntentExamples\\CaptureOrder' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/samples/AuthorizeIntentExamples/CaptureOrder.php',
'Sample\\AuthorizeIntentExamples\\CreateOrder' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/samples/AuthorizeIntentExamples/CreateOrder.php',
'Sample\\CaptureIntentExamples\\CaptureOrder' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/samples/CaptureIntentExamples/CaptureOrder.php',
'Sample\\CaptureIntentExamples\\CreateOrder' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/samples/CaptureIntentExamples/CreateOrder.php',
'Sample\\GetOrder' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/samples/GetOrder.php',
'Sample\\PatchOrder' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/samples/PatchOrder.php',
'Sample\\PayPalClient' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/samples/PayPalClient.php',
'Sample\\RefundOrder' => __DIR__ . '/..' . '/paypal/paypal-checkout-sdk/samples/RefundOrder.php',
'SessionUpdateTimestampHandlerInterface' => __DIR__ . '/..' . '/symfony/polyfill-php70/Resources/stubs/SessionUpdateTimestampHandlerInterface.php',
'Symfony\\Polyfill\\Intl\\Idn\\Idn' => __DIR__ . '/..' . '/symfony/polyfill-intl-idn/Idn.php',
'Symfony\\Polyfill\\Intl\\Idn\\Info' => __DIR__ . '/..' . '/symfony/polyfill-intl-idn/Info.php',
'Symfony\\Polyfill\\Intl\\Idn\\Resources\\unidata\\DisallowedRanges' => __DIR__ . '/..' . '/symfony/polyfill-intl-idn/Resources/unidata/DisallowedRanges.php',
'Symfony\\Polyfill\\Intl\\Idn\\Resources\\unidata\\Regex' => __DIR__ . '/..' . '/symfony/polyfill-intl-idn/Resources/unidata/Regex.php',
'Symfony\\Polyfill\\Intl\\Normalizer\\Normalizer' => __DIR__ . '/..' . '/symfony/polyfill-intl-normalizer/Normalizer.php',
'Symfony\\Polyfill\\Php70\\Php70' => __DIR__ . '/..' . '/symfony/polyfill-php70/Php70.php',
'Symfony\\Polyfill\\Php72\\Php72' => __DIR__ . '/..' . '/symfony/polyfill-php72/Php72.php',
'TypeError' => __DIR__ . '/..' . '/symfony/polyfill-php70/Resources/stubs/TypeError.php',
);
public static function getInitializer(ClassLoader $loader)
{
return \Closure::bind(function () use ($loader) {
$loader->prefixLengthsPsr4 = ComposerStaticInitf8f58872893c0a912b9600c7350b5133::$prefixLengthsPsr4;
$loader->prefixDirsPsr4 = ComposerStaticInitf8f58872893c0a912b9600c7350b5133::$prefixDirsPsr4;
$loader->prefixesPsr0 = ComposerStaticInitf8f58872893c0a912b9600c7350b5133::$prefixesPsr0;
$loader->classMap = ComposerStaticInitf8f58872893c0a912b9600c7350b5133::$classMap;
}, null, ClassLoader::class);
}
}

View File

@@ -0,0 +1,33 @@
<?php
/**
* NOTICE OF LICENSE
*
* This source file is subject to a commercial license from SARL 202 ecommence
* Use, copy, modification or distribution of this source file without written
* license agreement from the SARL 202 ecommence is strictly forbidden.
* In order to obtain a license, please contact us: tech@202-ecommerce.com
* ...........................................................................
* INFORMATION SUR LA LICENCE D'UTILISATION
*
* L'utilisation de ce fichier source est soumise a une licence commerciale
* concedee par la societe 202 ecommence
* Toute utilisation, reproduction, modification ou distribution du present
* fichier source sans contrat de licence ecrit de la part de la SARL 202 ecommence est
* expressement interdite.
* Pour obtenir une licence, veuillez contacter 202-ecommerce <tech@202-ecommerce.com>
* ...........................................................................
*
* @author 202-ecommerce <tech@202-ecommerce.com>
* @copyright Copyright (c) 202-ecommerce
* @license Commercial license
*/
header("Expires: Mon, 26 Jul 1997 05:00:00 GMT");
header("Last-Modified: ".gmdate("D, d M Y H:i:s")." GMT");
header("Cache-Control: no-store, no-cache, must-revalidate");
header("Cache-Control: post-check=0, pre-check=0", false);
header("Pragma: no-cache");
header("Location: ../");
exit;

View File

@@ -0,0 +1,799 @@
[
{
"name": "guzzlehttp/guzzle",
"version": "6.5.5",
"version_normalized": "6.5.5.0",
"source": {
"type": "git",
"url": "https://github.com/guzzle/guzzle.git",
"reference": "9d4290de1cfd701f38099ef7e183b64b4b7b0c5e"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/guzzle/guzzle/zipball/9d4290de1cfd701f38099ef7e183b64b4b7b0c5e",
"reference": "9d4290de1cfd701f38099ef7e183b64b4b7b0c5e",
"shasum": ""
},
"require": {
"ext-json": "*",
"guzzlehttp/promises": "^1.0",
"guzzlehttp/psr7": "^1.6.1",
"php": ">=5.5",
"symfony/polyfill-intl-idn": "^1.17.0"
},
"require-dev": {
"ext-curl": "*",
"phpunit/phpunit": "^4.8.35 || ^5.7 || ^6.4 || ^7.0",
"psr/log": "^1.1"
},
"suggest": {
"psr/log": "Required for using the Log middleware"
},
"time": "2020-06-16T21:01:06+00:00",
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "6.5-dev"
}
},
"installation-source": "dist",
"autoload": {
"psr-4": {
"GuzzleHttp\\": "src/"
},
"files": [
"src/functions_include.php"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Michael Dowling",
"email": "mtdowling@gmail.com",
"homepage": "https://github.com/mtdowling"
}
],
"description": "Guzzle is a PHP HTTP client library",
"homepage": "http://guzzlephp.org/",
"keywords": [
"client",
"curl",
"framework",
"http",
"http client",
"rest",
"web service"
]
},
{
"name": "guzzlehttp/promises",
"version": "v1.3.1",
"version_normalized": "1.3.1.0",
"source": {
"type": "git",
"url": "https://github.com/guzzle/promises.git",
"reference": "a59da6cf61d80060647ff4d3eb2c03a2bc694646"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/guzzle/promises/zipball/a59da6cf61d80060647ff4d3eb2c03a2bc694646",
"reference": "a59da6cf61d80060647ff4d3eb2c03a2bc694646",
"shasum": ""
},
"require": {
"php": ">=5.5.0"
},
"require-dev": {
"phpunit/phpunit": "^4.0"
},
"time": "2016-12-20T10:07:11+00:00",
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.4-dev"
}
},
"installation-source": "dist",
"autoload": {
"psr-4": {
"GuzzleHttp\\Promise\\": "src/"
},
"files": [
"src/functions_include.php"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Michael Dowling",
"email": "mtdowling@gmail.com",
"homepage": "https://github.com/mtdowling"
}
],
"description": "Guzzle promises library",
"keywords": [
"promise"
]
},
{
"name": "guzzlehttp/psr7",
"version": "1.6.1",
"version_normalized": "1.6.1.0",
"source": {
"type": "git",
"url": "https://github.com/guzzle/psr7.git",
"reference": "239400de7a173fe9901b9ac7c06497751f00727a"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/guzzle/psr7/zipball/239400de7a173fe9901b9ac7c06497751f00727a",
"reference": "239400de7a173fe9901b9ac7c06497751f00727a",
"shasum": ""
},
"require": {
"php": ">=5.4.0",
"psr/http-message": "~1.0",
"ralouphie/getallheaders": "^2.0.5 || ^3.0.0"
},
"provide": {
"psr/http-message-implementation": "1.0"
},
"require-dev": {
"ext-zlib": "*",
"phpunit/phpunit": "~4.8.36 || ^5.7.27 || ^6.5.8"
},
"suggest": {
"zendframework/zend-httphandlerrunner": "Emit PSR-7 responses"
},
"time": "2019-07-01T23:21:34+00:00",
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.6-dev"
}
},
"installation-source": "dist",
"autoload": {
"psr-4": {
"GuzzleHttp\\Psr7\\": "src/"
},
"files": [
"src/functions_include.php"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Michael Dowling",
"email": "mtdowling@gmail.com",
"homepage": "https://github.com/mtdowling"
},
{
"name": "Tobias Schultze",
"homepage": "https://github.com/Tobion"
}
],
"description": "PSR-7 message implementation that also provides common utility methods",
"keywords": [
"http",
"message",
"psr-7",
"request",
"response",
"stream",
"uri",
"url"
]
},
{
"name": "paragonie/random_compat",
"version": "v9.99.99",
"version_normalized": "9.99.99.0",
"source": {
"type": "git",
"url": "https://github.com/paragonie/random_compat.git",
"reference": "84b4dfb120c6f9b4ff7b3685f9b8f1aa365a0c95"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/paragonie/random_compat/zipball/84b4dfb120c6f9b4ff7b3685f9b8f1aa365a0c95",
"reference": "84b4dfb120c6f9b4ff7b3685f9b8f1aa365a0c95",
"shasum": ""
},
"require": {
"php": "^7"
},
"require-dev": {
"phpunit/phpunit": "4.*|5.*",
"vimeo/psalm": "^1"
},
"suggest": {
"ext-libsodium": "Provides a modern crypto API that can be used to generate random bytes."
},
"time": "2018-07-02T15:55:56+00:00",
"type": "library",
"installation-source": "dist",
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Paragon Initiative Enterprises",
"email": "security@paragonie.com",
"homepage": "https://paragonie.com"
}
],
"description": "PHP 5.x polyfill for random_bytes() and random_int() from PHP 7",
"keywords": [
"csprng",
"polyfill",
"pseudorandom",
"random"
]
},
{
"name": "paypal/paypal-checkout-sdk",
"version": "1.0.1",
"version_normalized": "1.0.1.0",
"source": {
"type": "git",
"url": "https://github.com/paypal/Checkout-PHP-SDK.git",
"reference": "ed6a55075448308b87a8b59dcb7fedf04a048cb1"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/paypal/Checkout-PHP-SDK/zipball/ed6a55075448308b87a8b59dcb7fedf04a048cb1",
"reference": "ed6a55075448308b87a8b59dcb7fedf04a048cb1",
"shasum": ""
},
"require": {
"paypal/paypalhttp": "1.0.0"
},
"require-dev": {
"phpunit/phpunit": "^5.7"
},
"time": "2019-11-07T23:16:44+00:00",
"type": "library",
"installation-source": "dist",
"autoload": {
"psr-4": {
"PayPalCheckoutSdk\\": "lib/PayPalCheckoutSdk",
"Sample\\": "samples/"
}
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"https://github.com/paypal/Checkout-PHP-SDK/blob/master/LICENSE"
],
"authors": [
{
"name": "PayPal",
"homepage": "https://github.com/paypal/Checkout-PHP-SDK/contributors"
}
],
"description": "PayPal's PHP SDK for Checkout REST APIs",
"homepage": "http://github.com/paypal/Checkout-PHP-SDK/",
"keywords": [
"checkout",
"orders",
"payments",
"paypal",
"rest",
"sdk"
]
},
{
"name": "paypal/paypalhttp",
"version": "1.0.0",
"version_normalized": "1.0.0.0",
"source": {
"type": "git",
"url": "https://github.com/paypal/paypalhttp_php.git",
"reference": "1ad9b846a046f09d6135cbf2cbaa7701bbc630a3"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/paypal/paypalhttp_php/zipball/1ad9b846a046f09d6135cbf2cbaa7701bbc630a3",
"reference": "1ad9b846a046f09d6135cbf2cbaa7701bbc630a3",
"shasum": ""
},
"require": {
"ext-curl": "*"
},
"require-dev": {
"phpunit/phpunit": "^5.7",
"wiremock-php/wiremock-php": "1.43.2"
},
"time": "2019-11-06T21:27:12+00:00",
"type": "library",
"installation-source": "dist",
"autoload": {
"psr-4": {
"PayPalHttp\\": "lib/PayPalHttp"
}
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "PayPal",
"homepage": "https://github.com/paypal/paypalhttp_php/contributors"
}
]
},
{
"name": "paypal/rest-api-sdk-php",
"version": "1.14.0",
"version_normalized": "1.14.0.0",
"source": {
"type": "git",
"url": "https://github.com/paypal/PayPal-PHP-SDK.git",
"reference": "72e2f2466975bf128a31e02b15110180f059fc04"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/paypal/PayPal-PHP-SDK/zipball/72e2f2466975bf128a31e02b15110180f059fc04",
"reference": "72e2f2466975bf128a31e02b15110180f059fc04",
"shasum": ""
},
"require": {
"ext-curl": "*",
"ext-json": "*",
"php": ">=5.3.0",
"psr/log": "^1.0.0"
},
"require-dev": {
"phpunit/phpunit": "^4.8.35"
},
"time": "2019-01-04T20:04:25+00:00",
"type": "library",
"installation-source": "dist",
"autoload": {
"psr-0": {
"PayPal": "lib/"
}
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"Apache-2.0"
],
"authors": [
{
"name": "PayPal",
"homepage": "https://github.com/paypal/rest-api-sdk-php/contributors"
}
],
"description": "PayPal's PHP SDK for REST APIs",
"homepage": "http://paypal.github.io/PayPal-PHP-SDK/",
"keywords": [
"payments",
"paypal",
"rest",
"sdk"
],
"abandoned": true
},
{
"name": "psr/http-message",
"version": "1.0.1",
"version_normalized": "1.0.1.0",
"source": {
"type": "git",
"url": "https://github.com/php-fig/http-message.git",
"reference": "f6561bf28d520154e4b0ec72be95418abe6d9363"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/php-fig/http-message/zipball/f6561bf28d520154e4b0ec72be95418abe6d9363",
"reference": "f6561bf28d520154e4b0ec72be95418abe6d9363",
"shasum": ""
},
"require": {
"php": ">=5.3.0"
},
"time": "2016-08-06T14:39:51+00:00",
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.0.x-dev"
}
},
"installation-source": "dist",
"autoload": {
"psr-4": {
"Psr\\Http\\Message\\": "src/"
}
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "PHP-FIG",
"homepage": "http://www.php-fig.org/"
}
],
"description": "Common interface for HTTP messages",
"homepage": "https://github.com/php-fig/http-message",
"keywords": [
"http",
"http-message",
"psr",
"psr-7",
"request",
"response"
]
},
{
"name": "psr/log",
"version": "1.1.3",
"version_normalized": "1.1.3.0",
"source": {
"type": "git",
"url": "https://github.com/php-fig/log.git",
"reference": "0f73288fd15629204f9d42b7055f72dacbe811fc"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/php-fig/log/zipball/0f73288fd15629204f9d42b7055f72dacbe811fc",
"reference": "0f73288fd15629204f9d42b7055f72dacbe811fc",
"shasum": ""
},
"require": {
"php": ">=5.3.0"
},
"time": "2020-03-23T09:12:05+00:00",
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.1.x-dev"
}
},
"installation-source": "dist",
"autoload": {
"psr-4": {
"Psr\\Log\\": "Psr/Log/"
}
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "PHP-FIG",
"homepage": "http://www.php-fig.org/"
}
],
"description": "Common interface for logging libraries",
"homepage": "https://github.com/php-fig/log",
"keywords": [
"log",
"psr",
"psr-3"
]
},
{
"name": "ralouphie/getallheaders",
"version": "3.0.3",
"version_normalized": "3.0.3.0",
"source": {
"type": "git",
"url": "https://github.com/ralouphie/getallheaders.git",
"reference": "120b605dfeb996808c31b6477290a714d356e822"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/ralouphie/getallheaders/zipball/120b605dfeb996808c31b6477290a714d356e822",
"reference": "120b605dfeb996808c31b6477290a714d356e822",
"shasum": ""
},
"require": {
"php": ">=5.6"
},
"require-dev": {
"php-coveralls/php-coveralls": "^2.1",
"phpunit/phpunit": "^5 || ^6.5"
},
"time": "2019-03-08T08:55:37+00:00",
"type": "library",
"installation-source": "dist",
"autoload": {
"files": [
"src/getallheaders.php"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Ralph Khattar",
"email": "ralph.khattar@gmail.com"
}
],
"description": "A polyfill for getallheaders."
},
{
"name": "symfony/polyfill-intl-idn",
"version": "v1.18.0",
"version_normalized": "1.18.0.0",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-intl-idn.git",
"reference": "bc6549d068d0160e0f10f7a5a23c7d1406b95ebe"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/symfony/polyfill-intl-idn/zipball/bc6549d068d0160e0f10f7a5a23c7d1406b95ebe",
"reference": "bc6549d068d0160e0f10f7a5a23c7d1406b95ebe",
"shasum": ""
},
"require": {
"php": ">=5.3.3",
"symfony/polyfill-intl-normalizer": "^1.10",
"symfony/polyfill-php70": "^1.10",
"symfony/polyfill-php72": "^1.10"
},
"suggest": {
"ext-intl": "For best performance"
},
"time": "2020-07-14T12:35:20+00:00",
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.18-dev"
},
"thanks": {
"name": "symfony/polyfill",
"url": "https://github.com/symfony/polyfill"
}
},
"installation-source": "dist",
"autoload": {
"psr-4": {
"Symfony\\Polyfill\\Intl\\Idn\\": ""
},
"files": [
"bootstrap.php"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Laurent Bassin",
"email": "laurent@bassin.info"
},
{
"name": "Trevor Rowbotham",
"email": "trevor.rowbotham@pm.me"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"description": "Symfony polyfill for intl's idn_to_ascii and idn_to_utf8 functions",
"homepage": "https://symfony.com",
"keywords": [
"compatibility",
"idn",
"intl",
"polyfill",
"portable",
"shim"
]
},
{
"name": "symfony/polyfill-intl-normalizer",
"version": "v1.18.0",
"version_normalized": "1.18.0.0",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-intl-normalizer.git",
"reference": "37078a8dd4a2a1e9ab0231af7c6cb671b2ed5a7e"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/symfony/polyfill-intl-normalizer/zipball/37078a8dd4a2a1e9ab0231af7c6cb671b2ed5a7e",
"reference": "37078a8dd4a2a1e9ab0231af7c6cb671b2ed5a7e",
"shasum": ""
},
"require": {
"php": ">=5.3.3"
},
"suggest": {
"ext-intl": "For best performance"
},
"time": "2020-07-14T12:35:20+00:00",
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.18-dev"
},
"thanks": {
"name": "symfony/polyfill",
"url": "https://github.com/symfony/polyfill"
}
},
"installation-source": "dist",
"autoload": {
"psr-4": {
"Symfony\\Polyfill\\Intl\\Normalizer\\": ""
},
"files": [
"bootstrap.php"
],
"classmap": [
"Resources/stubs"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Nicolas Grekas",
"email": "p@tchwork.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"description": "Symfony polyfill for intl's Normalizer class and related functions",
"homepage": "https://symfony.com",
"keywords": [
"compatibility",
"intl",
"normalizer",
"polyfill",
"portable",
"shim"
]
},
{
"name": "symfony/polyfill-php70",
"version": "v1.18.0",
"version_normalized": "1.18.0.0",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-php70.git",
"reference": "0dd93f2c578bdc9c72697eaa5f1dd25644e618d3"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/symfony/polyfill-php70/zipball/0dd93f2c578bdc9c72697eaa5f1dd25644e618d3",
"reference": "0dd93f2c578bdc9c72697eaa5f1dd25644e618d3",
"shasum": ""
},
"require": {
"paragonie/random_compat": "~1.0|~2.0|~9.99",
"php": ">=5.3.3"
},
"time": "2020-07-14T12:35:20+00:00",
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.18-dev"
},
"thanks": {
"name": "symfony/polyfill",
"url": "https://github.com/symfony/polyfill"
}
},
"installation-source": "dist",
"autoload": {
"psr-4": {
"Symfony\\Polyfill\\Php70\\": ""
},
"files": [
"bootstrap.php"
],
"classmap": [
"Resources/stubs"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Nicolas Grekas",
"email": "p@tchwork.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"description": "Symfony polyfill backporting some PHP 7.0+ features to lower PHP versions",
"homepage": "https://symfony.com",
"keywords": [
"compatibility",
"polyfill",
"portable",
"shim"
]
},
{
"name": "symfony/polyfill-php72",
"version": "v1.18.0",
"version_normalized": "1.18.0.0",
"source": {
"type": "git",
"url": "https://github.com/symfony/polyfill-php72.git",
"reference": "639447d008615574653fb3bc60d1986d7172eaae"
},
"dist": {
"type": "zip",
"url": "https://api.github.com/repos/symfony/polyfill-php72/zipball/639447d008615574653fb3bc60d1986d7172eaae",
"reference": "639447d008615574653fb3bc60d1986d7172eaae",
"shasum": ""
},
"require": {
"php": ">=5.3.3"
},
"time": "2020-07-14T12:35:20+00:00",
"type": "library",
"extra": {
"branch-alias": {
"dev-master": "1.18-dev"
},
"thanks": {
"name": "symfony/polyfill",
"url": "https://github.com/symfony/polyfill"
}
},
"installation-source": "dist",
"autoload": {
"psr-4": {
"Symfony\\Polyfill\\Php72\\": ""
},
"files": [
"bootstrap.php"
]
},
"notification-url": "https://packagist.org/downloads/",
"license": [
"MIT"
],
"authors": [
{
"name": "Nicolas Grekas",
"email": "p@tchwork.com"
},
{
"name": "Symfony Community",
"homepage": "https://symfony.com/contributors"
}
],
"description": "Symfony polyfill backporting some PHP 7.2+ features to lower PHP versions",
"homepage": "https://symfony.com",
"keywords": [
"compatibility",
"polyfill",
"portable",
"shim"
]
}
]