D7net
Home
Console
Upload
information
Create File
Create Folder
About
Tools
:
/
home
/
everqlsh
/
www
/
wp-admin
/
user
/
577040
/
Filename :
mrclay.tar
back
Copy
props-dic/src/Props/FactoryUncallableException.php 0000644 00000000250 15162272034 0016317 0 ustar 00 <?php namespace Props; use Psr\Container\ContainerExceptionInterface; class FactoryUncallableException extends \Exception implements ContainerExceptionInterface { } props-dic/src/Props/Container.php 0000644 00000014360 15162272035 0013000 0 ustar 00 <?php namespace Props; use Psr\Container\ContainerInterface; /** * Container holding values which can be resolved upon reading and optionally stored and shared * across reads. * * Values are read/set as properties. * * @note see scripts/example.php */ class Container implements ContainerInterface { /** * @var callable[] */ private $factories = array(); /** * @var array */ private $cache = array(); /** * Fetch a value. * * @param string $name * @return mixed * @throws FactoryUncallableException|ValueUnresolvableException|NotFoundException */ public function __get($name) { if (array_key_exists($name, $this->cache)) { return $this->cache[$name]; } $value = $this->build($name); $this->cache[$name] = $value; return $value; } /** * {@inheritdoc} */ public function get($name) { return $this->__get($name); } /** * Set a value. * * @param string $name * @param mixed $value * @throws \InvalidArgumentException */ public function __set($name, $value) { if ($value instanceof \Closure) { $this->setFactory($name, $value); return; } $this->cache[$name] = $value; unset($this->factories[$name]); } /** * Set a value to be later returned as is. You only need to use this if you wish to store * a Closure. * * @param string $name * @param mixed $value * @throws \InvalidArgumentException */ public function setValue($name, $value) { unset($this->factories[$name]); $this->cache[$name] = $value; } /** * @param string $name */ public function __unset($name) { unset($this->cache[$name]); unset($this->factories[$name]); } /** * @param string $name * @return bool */ public function __isset($name) { return array_key_exists($name, $this->factories) || array_key_exists($name, $this->cache); } /** * {@inheritdoc} */ public function has($name) { return $this->__isset($name); } /** * Fetch a freshly-resolved value. * * @param string $method method name must start with "new_" * @param array $args * @return mixed * @throws BadMethodCallException */ public function __call($method, $args) { if (0 !== strpos($method, 'new_')) { throw new BadMethodCallException("Method name must begin with 'new_'"); } return $this->build(substr($method, 4)); } /** * Can we fetch a new value via new_$name()? * * @param string $name * @return bool */ public function hasFactory($name) { return array_key_exists($name, $this->factories); } /** * Set a factory to generate a value when the container is read. * * @param string $name The name of the value * @param callable $factory Factory for the value * @throws FactoryUncallableException */ public function setFactory($name, $factory) { if (!is_callable($factory, true)) { throw new FactoryUncallableException('$factory must appear callable'); } unset($this->cache[$name]); $this->factories[$name] = $factory; } /** * Get an already-set factory callable (Closure, invokable, or callback) * * @param string $name The name of the value * @return callable * @throws NotFoundException */ public function getFactory($name) { if (!array_key_exists($name, $this->factories)) { throw new NotFoundException("No factory available for: $name"); } return $this->factories[$name]; } /** * Add a function that gets applied to the return value of an existing factory * * @note A cached value (from a previous property read) will thrown away. The next property read * (and all new_NAME() calls) will call the original factory. * * @param string $name The name of the value * @param callable $extender Function that is applied to extend the returned value * @return \Closure * @throws FactoryUncallableException|NotFoundException */ public function extend($name, $extender) { if (!is_callable($extender, true)) { throw new FactoryUncallableException('$extender must appear callable'); } if (!array_key_exists($name, $this->factories)) { throw new NotFoundException("No factory available for: $name"); } $factory = $this->factories[$name]; $newFactory = function (Container $c) use ($extender, $factory) { return call_user_func($extender, call_user_func($factory, $c), $c); }; $this->setFactory($name, $newFactory); return $newFactory; } /** * Get all keys available * * @return string[] */ public function getKeys() { $keys = array_keys($this->cache) + array_keys($this->factories); return array_unique($keys); } /** * Build a value * * @param string $name * @return mixed * @throws FactoryUncallableException|ValueUnresolvableException|NotFoundException */ private function build($name) { if (!array_key_exists($name, $this->factories)) { throw new NotFoundException("Missing value: $name"); } $factory = $this->factories[$name]; if (is_callable($factory)) { try { return call_user_func($factory, $this); } catch (\Exception $e) { throw new ValueUnresolvableException("Factory for '$name' threw an exception.", 0, $e); } } $msg = "Factory for '$name' was uncallable"; if (is_string($factory)) { $msg .= ": '$factory'"; } elseif (is_array($factory)) { if (is_string($factory[0])) { $msg .= ": '{$factory[0]}::{$factory[1]}'"; } else { $msg .= ": " . get_class($factory[0]) . "->{$factory[1]}"; } } throw new FactoryUncallableException($msg); } } props-dic/src/Props/NotFoundException.php 0000644 00000000351 15162272036 0014465 0 ustar 00 <?php namespace Props; use Psr\Container\ContainerExceptionInterface; use Psr\Container\NotFoundExceptionInterface; class NotFoundException extends \Exception implements ContainerExceptionInterface, NotFoundExceptionInterface { } props-dic/src/Props/Pimple.php 0000644 00000002630 15162272036 0012302 0 ustar 00 <?php namespace Props; /** * A version of Pimple that uses property access instead of array access * * @author Steve Clay <steve@mrclay.org> */ class Pimple extends \Pimple\Container { /** * Sets a parameter or an object. * * @param string $id The unique identifier for the parameter or object * @param mixed $value The value of the parameter or a closure to define an object * @throws \RuntimeException Prevent override of a frozen service */ public function __set($id, $value) { $this->offsetSet($id, $value); } /** * Gets a parameter or an object. * * @param string $id The unique identifier for the parameter or object * @return mixed The value of the parameter or an object * @throws \InvalidArgumentException if the identifier is not defined */ public function __get($id) { return $this->offsetGet($id); } /** * Checks if a parameter or an object is set. * * @param string $id The unique identifier for the parameter or object * @return Boolean */ public function __isset($id) { return $this->offsetExists($id); } /** * Unsets a parameter or an object. * * @param string $id The unique identifier for the parameter or object */ public function __unset($id) { $this->offsetUnset($id); } } props-dic/src/Props/BadMethodCallException.php 0000644 00000000244 15162272037 0015356 0 ustar 00 <?php namespace Props; use Psr\Container\ContainerExceptionInterface; class BadMethodCallException extends \Exception implements ContainerExceptionInterface { } props-dic/src/Props/ValueUnresolvableException.php 0000644 00000000250 15162272037 0016366 0 ustar 00 <?php namespace Props; use Psr\Container\ContainerExceptionInterface; class ValueUnresolvableException extends \Exception implements ContainerExceptionInterface { } props-dic/LICENSE 0000644 00000002037 15162272040 0007452 0 ustar 00 Copyright (c) 2013 The Authors 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. jsmin-php/src/JSMin/JSMin.php 0000644 00000037767 15162272041 0011735 0 ustar 00 <?php namespace JSMin; /** * JSMin.php - modified PHP implementation of Douglas Crockford's JSMin. * * <code> * $minifiedJs = JSMin::minify($js); * </code> * * This is a modified port of jsmin.c. Improvements: * * Does not choke on some regexp literals containing quote characters. E.g. /'/ * * Spaces are preserved after some add/sub operators, so they are not mistakenly * converted to post-inc/dec. E.g. a + ++b -> a+ ++b * * Preserves multi-line comments that begin with /*! * * PHP 5 or higher is required. * * Permission is hereby granted to use this version of the library under the * same terms as jsmin.c, which has the following license: * * -- * Copyright (c) 2002 Douglas Crockford (www.crockford.com) * * 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 shall be used for Good, not Evil. * * 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. * -- * * @package JSMin * @author Ryan Grove <ryan@wonko.com> (PHP port) * @author Steve Clay <steve@mrclay.org> (modifications + cleanup) * @author Andrea Giammarchi <http://www.3site.eu> (spaceBeforeRegExp) * @copyright 2002 Douglas Crockford <douglas@crockford.com> (jsmin.c) * @copyright 2008 Ryan Grove <ryan@wonko.com> (PHP port) * @license http://opensource.org/licenses/mit-license.php MIT License * @link http://code.google.com/p/jsmin-php/ */ class JSMin { const ACTION_KEEP_A = 1; const ACTION_DELETE_A = 2; const ACTION_DELETE_A_B = 3; protected $a = "\n"; protected $b = ''; protected $input = ''; protected $inputIndex = 0; protected $inputLength = 0; protected $lookAhead = null; protected $output = ''; protected $lastByteOut = ''; protected $keptComment = ''; /** * Minify Javascript. * * @param string $js Javascript to be minified * * @return string */ public static function minify($js) { $jsmin = new JSMin($js); return $jsmin->min(); } /** * @param string $input */ public function __construct($input) { $this->input = $input; } /** * Perform minification, return result * * @return string */ public function min() { if ($this->output !== '') { // min already run return $this->output; } $mbIntEnc = null; if (function_exists('mb_strlen') && ((int)ini_get('mbstring.func_overload') & 2)) { $mbIntEnc = mb_internal_encoding(); mb_internal_encoding('8bit'); } if (isset($this->input[0]) && $this->input[0] === "\xef") { $this->input = substr($this->input, 3); } $this->input = str_replace("\r\n", "\n", $this->input); $this->inputLength = strlen($this->input); $this->action(self::ACTION_DELETE_A_B); while ($this->a !== null) { // determine next command $command = self::ACTION_KEEP_A; // default if ($this->isWhiteSpace($this->a)) { if (($this->lastByteOut === '+' || $this->lastByteOut === '-') && ($this->b === $this->lastByteOut)) { // Don't delete this space. If we do, the addition/subtraction // could be parsed as a post-increment } elseif (! $this->isAlphaNum($this->b)) { $command = self::ACTION_DELETE_A; } } elseif ($this->isLineTerminator($this->a)) { if ($this->isWhiteSpace($this->b)) { $command = self::ACTION_DELETE_A_B; // in case of mbstring.func_overload & 2, must check for null b, // otherwise mb_strpos will give WARNING } elseif ($this->b === null || (false === strpos('{[(+-!~#', $this->b) && ! $this->isAlphaNum($this->b))) { $command = self::ACTION_DELETE_A; } } elseif (! $this->isAlphaNum($this->a)) { if ($this->isWhiteSpace($this->b) || ($this->isLineTerminator($this->b) && (false === strpos('}])+-"\'`', $this->a)))) { $command = self::ACTION_DELETE_A_B; } } $this->action($command); } $this->output = trim($this->output); if ($mbIntEnc !== null) { mb_internal_encoding($mbIntEnc); } return $this->output; } /** * ACTION_KEEP_A = Output A. Copy B to A. Get the next B. * ACTION_DELETE_A = Copy B to A. Get the next B. * ACTION_DELETE_A_B = Get the next B. * * @param int $command * @throws UnterminatedRegExpException|UnterminatedStringException */ protected function action($command) { // make sure we don't compress "a + ++b" to "a+++b", etc. if ($command === self::ACTION_DELETE_A_B && $this->b === ' ' && ($this->a === '+' || $this->a === '-')) { // Note: we're at an addition/substraction operator; the inputIndex // will certainly be a valid index if ($this->input[$this->inputIndex] === $this->a) { // This is "+ +" or "- -". Don't delete the space. $command = self::ACTION_KEEP_A; } } switch ($command) { case self::ACTION_KEEP_A: // 1 $this->output .= $this->a; if ($this->keptComment) { $this->output = rtrim($this->output, "\n"); $this->output .= $this->keptComment; $this->keptComment = ''; } $this->lastByteOut = $this->a; // fallthrough intentional case self::ACTION_DELETE_A: // 2 $this->a = $this->b; if ($this->a === "'" || $this->a === '"' || $this->a === '`') { // string/template literal $delimiter = $this->a; $str = $this->a; // in case needed for exception for(;;) { $this->output .= $this->a; $this->lastByteOut = $this->a; $this->a = $this->get(); if ($this->a === $this->b) { // end quote break; } if ($delimiter === '`' && $this->isLineTerminator($this->a)) { // leave the newline } elseif ($this->isEOF($this->a)) { $byte = $this->inputIndex - 1; throw new UnterminatedStringException( "JSMin: Unterminated String at byte {$byte}: {$str}"); } $str .= $this->a; if ($this->a === '\\') { $this->output .= $this->a; $this->lastByteOut = $this->a; $this->a = $this->get(); $str .= $this->a; } } } // fallthrough intentional case self::ACTION_DELETE_A_B: // 3 $this->b = $this->next(); if ($this->b === '/' && $this->isRegexpLiteral()) { $this->output .= $this->a . $this->b; $pattern = '/'; // keep entire pattern in case we need to report it in the exception for(;;) { $this->a = $this->get(); $pattern .= $this->a; if ($this->a === '[') { for(;;) { $this->output .= $this->a; $this->a = $this->get(); $pattern .= $this->a; if ($this->a === ']') { break; } if ($this->a === '\\') { $this->output .= $this->a; $this->a = $this->get(); $pattern .= $this->a; } if ($this->isEOF($this->a)) { throw new UnterminatedRegExpException( "JSMin: Unterminated set in RegExp at byte " . $this->inputIndex .": {$pattern}"); } } } if ($this->a === '/') { // end pattern break; // while (true) } elseif ($this->a === '\\') { $this->output .= $this->a; $this->a = $this->get(); $pattern .= $this->a; } elseif ($this->isEOF($this->a)) { $byte = $this->inputIndex - 1; throw new UnterminatedRegExpException( "JSMin: Unterminated RegExp at byte {$byte}: {$pattern}"); } $this->output .= $this->a; $this->lastByteOut = $this->a; } $this->b = $this->next(); } // end case ACTION_DELETE_A_B } } /** * @return bool */ protected function isRegexpLiteral() { if (false !== strpos("(,=:[!&|?+-~*{;", $this->a)) { // we can't divide after these tokens return true; } // check if first non-ws token is "/" (see starts-regex.js) $length = strlen($this->output); if ($this->isWhiteSpace($this->a) || $this->isLineTerminator($this->a)) { if ($length < 2) { // weird edge case return true; } } // if the "/" follows a keyword, it must be a regexp, otherwise it's best to assume division $subject = $this->output . trim($this->a); if (!preg_match('/(?:case|else|in|return|typeof)$/', $subject, $m)) { // not a keyword return false; } // can't be sure it's a keyword yet (see not-regexp.js) $charBeforeKeyword = substr($subject, 0 - strlen($m[0]) - 1, 1); if ($this->isAlphaNum($charBeforeKeyword)) { // this is really an identifier ending in a keyword, e.g. "xreturn" return false; } // it's a regexp. Remove unneeded whitespace after keyword if ($this->isWhiteSpace($this->a) || $this->isLineTerminator($this->a)) { $this->a = ''; } return true; } /** * Return the next character from stdin. Watch out for lookahead. If the character is a control character, * translate it to a space or linefeed. * * @return string */ protected function get() { $c = $this->lookAhead; $this->lookAhead = null; if ($c === null) { // getc(stdin) if ($this->inputIndex < $this->inputLength) { $c = $this->input[$this->inputIndex]; $this->inputIndex += 1; } else { $c = null; } } if ($c === "\r") { return "\n"; } return $c; } /** * Does $a indicate end of input? * * @param string $a * @return bool */ protected function isEOF($a) { return $a === null || $this->isLineTerminator($a); } /** * Get next char (without getting it). If is ctrl character, translate to a space or newline. * * @return string */ protected function peek() { $this->lookAhead = $this->get(); return $this->lookAhead; } /** * Return true if the character is a letter, digit, underscore, dollar sign, or non-ASCII character. * * @param string $c * * @return bool */ protected function isAlphaNum($c) { return (preg_match('/^[a-z0-9A-Z_\\$\\\\]$/', $c) || ord($c) > 126); } /** * Consume a single line comment from input (possibly retaining it) */ protected function consumeSingleLineComment() { $comment = ''; while (true) { $get = $this->get(); $comment .= $get; if ($this->isEOF($get)) { // if IE conditional comment if (preg_match('/^\\/@(?:cc_on|if|elif|else|end)\\b/', $comment)) { $this->keptComment .= "/{$comment}"; } return; } } } /** * Consume a multiple line comment from input (possibly retaining it) * * @throws UnterminatedCommentException */ protected function consumeMultipleLineComment() { $this->get(); $comment = ''; for(;;) { $get = $this->get(); if ($get === '*') { if ($this->peek() === '/') { // end of comment reached $this->get(); if (0 === strpos($comment, '!')) { // preserved by YUI Compressor if (!$this->keptComment) { // don't prepend a newline if two comments right after one another $this->keptComment = "\n"; } $this->keptComment .= "/*!" . substr($comment, 1) . "*/\n"; } else if (preg_match('/^@(?:cc_on|if|elif|else|end)\\b/', $comment)) { // IE conditional $this->keptComment .= "/*{$comment}*/"; } return; } } elseif ($get === null) { throw new UnterminatedCommentException( "JSMin: Unterminated comment at byte {$this->inputIndex}: /*{$comment}"); } $comment .= $get; } } /** * Get the next character, skipping over comments. Some comments may be preserved. * * @return string */ protected function next() { $get = $this->get(); if ($get === '/') { switch ($this->peek()) { case '/': $this->consumeSingleLineComment(); $get = "\n"; break; case '*': $this->consumeMultipleLineComment(); $get = ' '; break; } } return $get; } protected function isWhiteSpace($s) { // https://www.ecma-international.org/ecma-262/#sec-white-space return $s !== null && strpos(" \t\v\f", $s) !== false; } protected function isLineTerminator($s) { // https://www.ecma-international.org/ecma-262/#sec-line-terminators return $s !== null && strpos("\n\r", $s) !== false; } } jsmin-php/src/JSMin/UnterminatedStringException.php 0000644 00000000122 15162272041 0016431 0 ustar 00 <?php namespace JSMin; class UnterminatedStringException extends \Exception { } jsmin-php/src/JSMin/UnterminatedRegExpException.php 0000644 00000000122 15162272041 0016355 0 ustar 00 <?php namespace JSMin; class UnterminatedRegExpException extends \Exception { } jsmin-php/src/JSMin/UnterminatedCommentException.php 0000644 00000000123 15162272042 0016567 0 ustar 00 <?php namespace JSMin; class UnterminatedCommentException extends \Exception { } jsmin-php/CHANGELOG.md 0000644 00000002613 15162272042 0010265 0 ustar 00 # Changelog All notable changes to this project will be documented in this file. The format is based on [Keep a Changelog](https://keepachangelog.com/en/1.0.0/), and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0.html). ## 2.4.3 - 2022-12-13 * Keep newline before private class member, #20, #15 * Keep newline after string template, #21, #8 ## 2.4.2 - 2022-12-07 * Improve control character handling, #9 * Fix PHP Deprecation warning: ord(null), #16 ## 2.4.1 - 2022-03-26 * Fix php 8.1 deprecation notice for ord(null), #10, #12, #13 ## 2.4.0 - 2018-12-06 * Preserve ES6 template literals, #7 ## 2.3.2 - 2015-03-30 * Correctly identifies regexes following keywords with no space. E.g. return/regex/; ## 2.3.1 - 2014-08-25 * Exception classes are PSR-0 loadable ## 2.3.0 - 2014-08-25 Rework as JSMin library on packagist. Releases prior this version are contained in minify package. * Removes leading UTF-8 BOM ## 2.2.0 * Fix handling of RegEx in certain situations in JSMin * Fix bug in JSMin exceptions ## 2.1.6 * JSMin fixes ## 2.1.4 * JSMin won't choke on common Closure compiler syntaxes (i+ ++j) * mbstring.func_overload usage is safer ## 2.1.2 * quote characters inside RegExp literals no longer cause exception ## 2.1.0 * JS: preserves IE conditional comments ## 1.0.1 - 2007-05-05 * Replaced old JSMin library with a much faster custom implementation. jsmin-php/LICENSE.txt 0000644 00000003026 15162272043 0010277 0 ustar 00 Copyright (c) 2008 Ryan Grove <ryan@wonko.com> Copyright (c) 2008 Steve Clay <steve@mrclay.org> All rights reserved. Redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met: * Redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer. * Redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution. * Neither the name of this project nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission. THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. jsmin-php/phpunit.xml 0000644 00000001355 15162272044 0010671 0 ustar 00 <?xml version="1.0" encoding="UTF-8"?> <phpunit backupGlobals="false" backupStaticAttributes="false" colors="true" convertErrorsToExceptions="true" convertNoticesToExceptions="true" convertWarningsToExceptions="true" processIsolation="false" bootstrap="tests/bootstrap.php" > <testsuites> <testsuite name="JSMin Test Suite"> <directory>./tests/</directory> </testsuite> </testsuites> <filter> <whitelist> <directory>./</directory> <exclude> <directory>./tests</directory> <directory>./vendor</directory> </exclude> </whitelist> </filter> </phpunit>