D7net
Home
Console
Upload
information
Create File
Create Folder
About
Tools
:
/
home
/
everqlsh
/
www
/
wp-admin
/
user
/
577040
/
Filename :
mrclay.zip
back
Copy
PK !H~\�{��� � 2 props-dic/src/Props/FactoryUncallableException.phpnu �[��� <?php namespace Props; use Psr\Container\ContainerExceptionInterface; class FactoryUncallableException extends \Exception implements ContainerExceptionInterface { } PK !H~\��(�� � ! props-dic/src/Props/Container.phpnu �[��� <?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); } } PK "H~\�u-g� � ) props-dic/src/Props/NotFoundException.phpnu �[��� <?php namespace Props; use Psr\Container\ContainerExceptionInterface; use Psr\Container\NotFoundExceptionInterface; class NotFoundException extends \Exception implements ContainerExceptionInterface, NotFoundExceptionInterface { } PK "H~\�%��� � props-dic/src/Props/Pimple.phpnu �[��� <?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); } } PK "H~\g�p� � . props-dic/src/Props/BadMethodCallException.phpnu �[��� <?php namespace Props; use Psr\Container\ContainerExceptionInterface; class BadMethodCallException extends \Exception implements ContainerExceptionInterface { } PK #H~\*�<� � 2 props-dic/src/Props/ValueUnresolvableException.phpnu �[��� <?php namespace Props; use Psr\Container\ContainerExceptionInterface; class ValueUnresolvableException extends \Exception implements ContainerExceptionInterface { } PK #H~\=�� props-dic/LICENSEnu �[��� 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. PK $H~\X�g�? �? jsmin-php/src/JSMin/JSMin.phpnu �[��� <?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; } } PK $H~\��!�R R 3 jsmin-php/src/JSMin/UnterminatedStringException.phpnu �[��� <?php namespace JSMin; class UnterminatedStringException extends \Exception { } PK $H~\� *R R 3 jsmin-php/src/JSMin/UnterminatedRegExpException.phpnu �[��� <?php namespace JSMin; class UnterminatedRegExpException extends \Exception { } PK $H~\��BS S 4 jsmin-php/src/JSMin/UnterminatedCommentException.phpnu �[��� <?php namespace JSMin; class UnterminatedCommentException extends \Exception { } PK $H~\hQ� � jsmin-php/CHANGELOG.mdnu �[��� # 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. PK $H~\��~Q jsmin-php/LICENSE.txtnu �[��� 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. PK %H~\:[��� � jsmin-php/phpunit.xmlnu �[��� <?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>PK %H~\K�&�� � jsmin-php/web/index.phpnu �[��� <?php require __DIR__ . '/../vendor/autoload.php'; function h($txt) { return htmlspecialchars($txt, ENT_QUOTES, 'UTF-8'); } $tpl = array(); if (isset($_POST['textIn'])) { $textIn = str_replace("\r\n", "\n", $_POST['textIn']); $tpl['inBytes'] = strlen($textIn); $startTime = microtime(true); try { $tpl['output'] = \JSMin\JSMin::minify($textIn); } catch (Exception $e) { $tpl['exceptionMsg'] = getExceptionMsg($e, $textIn); $tpl['output'] = $textIn; sendPage($tpl); } $tpl['time'] = microtime(true) - $startTime; $tpl['outBytes'] = strlen($tpl['output']); } sendPage($tpl); /** * @param Exception $e * @param string $input * @return string HTML */ function getExceptionMsg(Exception $e, $input) { $msg = "<p>" . h($e->getMessage()) . "</p>"; if (0 !== strpos(get_class($e), 'JSMin\\Unterminated') || !preg_match('~byte (\d+)~', $e->getMessage(), $m)) { return $msg; } $msg .= "<pre>"; if ($m[1] > 200) { $msg .= h(substr($input, ($m[1] - 200), 200)); } else { $msg .= h(substr($input, 0, $m[1])); } $highlighted = isset($input[$m[1]]) ? h($input[$m[1]]) : '␄'; if ($highlighted === "\n") { $highlighted = "⏎\n"; } $msg .= "<span style='background:#c00;color:#fff'>$highlighted</span>"; $msg .= h(substr($input, $m[1] + 1, 200)) . "</span></pre>"; return $msg; } /** * Draw page * * @param array $vars */ function sendPage($vars) { header('Content-Type: text/html; charset=utf-8'); ?> <!DOCTYPE html><head><title>JSMin</title></head> <?php if (isset($vars['exceptionMsg'])) { echo $vars['exceptionMsg']; } if (isset($vars['time'])) { echo " <table> <tr><th>Bytes in</th><td>{$vars['inBytes']} (after line endings normalized to <code>\\n</code>)</td></tr> <tr><th>Bytes out</th><td>{$vars['outBytes']} (reduced " . round(100 - (100 * $vars['outBytes'] / $vars['inBytes'])) . "%)</td></tr> <tr><th>Time (s)</th><td>" . round($vars['time'], 5) . "</td></tr> </table> "; } ?> <form action="?2" method="post"> <p><label>Content<br><textarea name="textIn" cols="80" rows="35" style="width:99%"><?php if (isset($vars['output'])) { echo h($vars['output']); } ?></textarea></label></p> <p><input type="submit" name="method" value="JSMin::minify()"></p> </form><?php exit; } PK %H~\��B_� � minify/example.index.phpnu �[��� <?php // template file for creating your own Minify endpoint // remove this die('disabled'); // adjust this path as necessary require __DIR__ . '/../vendor/autoload.php'; $app = new \Minify\App(__DIR__); $app->runServer(); PK %H~\���I I minify/utils.phpnu �[��� <?php /** * Utility functions for generating URIs in HTML files * * @warning These functions execute min/groupsConfig.php, sometimes multiple times. * You must make sure that functions are not redefined, and if your use custom sources, * you must require_once __DIR__ . '/lib/Minify/Source.php' so that * class is available. * * @package Minify */ require __DIR__ . '/bootstrap.php'; /* * Get an HTML-escaped Minify URI for a group or set of files. By default, URIs * will contain timestamps to allow far-future Expires headers. * * <code> * <link rel="stylesheet" type="text/css" href="<?= Minify_getUri('css'); ?>" /> * <script src="<?= Minify_getUri('js'); ?>"></script> * <script src="<?= Minify_getUri(array( * '//scripts/file1.js' * ,'//scripts/file2.js' * )); ?>"></script> * </code> * * @param mixed $keyOrFiles a group key or array of file paths/URIs * @param array $opts options: * 'farExpires' : (default true) append a modified timestamp for cache revving * 'debug' : (default false) append debug flag * 'charset' : (default 'UTF-8') for htmlspecialchars * 'minAppUri' : (default '/min') URI of min directory * 'rewriteWorks' : (default true) does mod_rewrite work in min app? * 'groupsConfigFile' : specify if different * @return string */ function Minify_getUri($keyOrFiles, $opts = array()) { return Minify_HTML_Helper::getUri($keyOrFiles, $opts); } /** * Get the last modification time of several source js/css files. If you're * caching the output of Minify_getUri(), you might want to know if one of the * dependent source files has changed so you can update the HTML. * * Since this makes a bunch of stat() calls, you might not want to check this * on every request. * * @param array $keysAndFiles group keys and/or file paths/URIs. * @return int latest modification time of all given keys/files */ function Minify_mtime($keysAndFiles, $groupsConfigFile = null) { $gc = null; if (! $groupsConfigFile) { $groupsConfigFile = Minify_HTML_Helper::app()->groupsConfigPath; } $sources = array(); foreach ($keysAndFiles as $keyOrFile) { if (is_object($keyOrFile) || 0 === strpos($keyOrFile, '/') || 1 === strpos($keyOrFile, ':\\')) { // a file/source obj $sources[] = $keyOrFile; } else { if (! $gc) { $gc = (require $groupsConfigFile); } foreach ($gc[$keyOrFile] as $source) { $sources[] = $source; } } } return Minify_HTML_Helper::getLastModified($sources); } PK &H~\�ff�i �i minify/lib/Minify.phpnu �[��� <?php /** * Class Minify * @package Minify */ use Psr\Log\LoggerInterface; /** * Minify - Combines, minifies, and caches JavaScript and CSS files on demand. * * See README for usage instructions (for now). * * This library was inspired by {@link mailto:flashkot@mail.ru jscsscomp by Maxim Martynyuk} * and by the article {@link http://www.hunlock.com/blogs/Supercharged_Javascript "Supercharged JavaScript" by Patrick Hunlock}. * * @package Minify * @author Ryan Grove <ryan@wonko.com> * @author Stephen Clay <steve@mrclay.org> * @copyright 2008 Ryan Grove, Stephen Clay. All rights reserved. * @license http://opensource.org/licenses/bsd-license.php New BSD License * @link https://github.com/mrclay/minify */ class Minify { /** * API version * * This is only bumped when API breaks are done and should follow the major version of the library * * @var int */ const VERSION = 3; const TYPE_CSS = 'text/css'; const TYPE_HTML = 'text/html'; // there is some debate over the ideal JS Content-Type, but this is the // Apache default and what Yahoo! uses.. const TYPE_JS = 'application/x-javascript'; const URL_DEBUG = 'https://github.com/mrclay/minify/blob/master/docs/Debugging.wiki.md'; /** * Any Minify_Cache_* object or null (i.e. no server cache is used) * * @var Minify_CacheInterface */ private $cache; /** * Active controller for current request * * @var Minify_Controller_Base */ protected $controller; /** * @var Minify_Env */ protected $env; /** * @var Minify_SourceInterface[] */ protected $sources; /** * @var string */ protected $selectionId; /** * Options for current request * * @var array */ protected $options; /** * @var LoggerInterface|null */ protected $logger; /** * @param Minify_CacheInterface $cache * @param LoggerInterface $logger */ public function __construct(Minify_CacheInterface $cache, LoggerInterface $logger = null) { $this->cache = $cache; $this->logger = $logger; } /** * Get default Minify options. * * @return array options for Minify */ public function getDefaultOptions() { return array( 'isPublic' => true, 'encodeOutput' => function_exists('gzdeflate'), 'encodeMethod' => null, // determine later 'encodeLevel' => 9, 'minifiers' => array( Minify::TYPE_JS => array('JSMin\\JSMin', 'minify'), Minify::TYPE_CSS => array('Minify_CSSmin', 'minify'), Minify::TYPE_HTML => array('Minify_HTML', 'minify'), ), 'minifierOptions' => array(), // no minifier options 'contentTypeCharset' => 'utf-8', 'maxAge' => 1800, // 30 minutes 'rewriteCssUris' => true, 'bubbleCssImports' => false, 'quiet' => false, // serve() will send headers and output 'debug' => false, 'concatOnly' => false, 'invalidate' => false, // if you override these, the response codes MUST be directly after // the first space. 'badRequestHeader' => 'HTTP/1.0 400 Bad Request', 'errorHeader' => 'HTTP/1.0 500 Internal Server Error', // callback function to see/modify content of all sources 'postprocessor' => null, // file to require to load preprocessor 'postprocessorRequire' => null, /** * If this string is not empty AND the serve() option 'bubbleCssImports' is * NOT set, then serve() will check CSS files for @import declarations that * appear too late in the combined stylesheet. If found, serve() will prepend * the output with this warning. */ 'importWarning' => "/* See https://github.com/mrclay/minify/blob/master/docs/CommonProblems.wiki.md#imports-can-appear-in-invalid-locations-in-combined-css-files */\n" ); } /** * Serve a request for a minified file. * * Here are the available options and defaults: * * 'isPublic' : send "public" instead of "private" in Cache-Control * headers, allowing shared caches to cache the output. (default true) * * 'quiet' : set to true to have serve() return an array rather than sending * any headers/output (default false) * * 'encodeOutput' : set to false to disable content encoding, and not send * the Vary header (default true) * * 'encodeMethod' : generally you should let this be determined by * HTTP_Encoder (leave null), but you can force a particular encoding * to be returned, by setting this to 'gzip' or '' (no encoding) * * 'encodeLevel' : level of encoding compression (0 to 9, default 9) * * 'contentTypeCharset' : appended to the Content-Type header sent. Set to a falsey * value to remove. (default 'utf-8') * * 'maxAge' : set this to the number of seconds the client should use its cache * before revalidating with the server. This sets Cache-Control: max-age and the * Expires header. Unlike the old 'setExpires' setting, this setting will NOT * prevent conditional GETs. Note this has nothing to do with server-side caching. * * 'rewriteCssUris' : If true, serve() will automatically set the 'currentDir' * minifier option to enable URI rewriting in CSS files (default true) * * 'bubbleCssImports' : If true, all @import declarations in combined CSS * files will be move to the top. Note this may alter effective CSS values * due to a change in order. (default false) * * 'debug' : set to true to minify all sources with the 'Lines' controller, which * eases the debugging of combined files. This also prevents 304 responses. * @see Minify_Lines::minify() * * 'concatOnly' : set to true to disable minification and simply concatenate the files. * For JS, no minifier will be used. For CSS, only URI rewriting is still performed. * * 'minifiers' : to override Minify's default choice of minifier function for * a particular content-type, specify your callback under the key of the * content-type: * <code> * // call customCssMinifier($css) for all CSS minification * $options['minifiers'][Minify::TYPE_CSS] = 'customCssMinifier'; * * // don't minify Javascript at all * $options['minifiers'][Minify::TYPE_JS] = 'Minify::nullMinifier'; * </code> * * 'minifierOptions' : to send options to the minifier function, specify your options * under the key of the content-type. E.g. To send the CSS minifier an option: * <code> * // give CSS minifier array('optionName' => 'optionValue') as 2nd argument * $options['minifierOptions'][Minify::TYPE_CSS]['optionName'] = 'optionValue'; * </code> * * 'contentType' : (optional) this is only needed if your file extension is not * js/css/html. The given content-type will be sent regardless of source file * extension, so this should not be used in a Groups config with other * Javascript/CSS files. * * 'importWarning' : serve() will check CSS files for @import declarations that * appear too late in the combined stylesheet. If found, serve() will prepend * the output with this warning. To disable this, set this option to empty string. * * Any controller options are documented in that controller's createConfiguration() method. * * @param Minify_ControllerInterface $controller instance of subclass of Minify_Controller_Base * * @param array $options controller/serve options * * @return null|array if the 'quiet' option is set to true, an array * with keys "success" (bool), "statusCode" (int), "content" (string), and * "headers" (array). * * @throws Exception */ public function serve(Minify_ControllerInterface $controller, $options = array()) { $this->env = $controller->getEnv(); $options = array_merge($this->getDefaultOptions(), $options); $config = $controller->createConfiguration($options); $this->sources = $config->getSources(); $this->selectionId = $config->getSelectionId(); $this->options = $this->analyzeSources($config->getOptions()); if (!$this->options['quiet'] && !headers_sent()) { ini_set('zlib.output_compression', '0'); } // check request validity if (!$this->sources) { // invalid request! if (! $this->options['quiet']) { $this->errorExit($this->options['badRequestHeader'], self::URL_DEBUG); } else { list(, $statusCode) = explode(' ', $this->options['badRequestHeader']); return array( 'success' => false, 'statusCode' => (int)$statusCode, 'content' => '', 'headers' => array(), ); } } $this->controller = $controller; if ($this->options['debug']) { $this->setupDebug(); $this->options['maxAge'] = 0; } // determine encoding if ($this->options['encodeOutput']) { $sendVary = true; if ($this->options['encodeMethod'] !== null) { // controller specifically requested this $contentEncoding = $this->options['encodeMethod']; } else { // sniff request header // depending on what the client accepts, $contentEncoding may be // 'x-gzip' while our internal encodeMethod is 'gzip'. Calling // getAcceptedEncoding(false, false) leaves out compress and deflate as options. $list = HTTP_Encoder::getAcceptedEncoding(false, false); list($this->options['encodeMethod'], $contentEncoding) = $list; $sendVary = ! HTTP_Encoder::isBuggyIe(); } } else { $this->options['encodeMethod'] = ''; // identity (no encoding) } // check client cache $cgOptions = array( 'lastModifiedTime' => $this->options['lastModifiedTime'], 'isPublic' => $this->options['isPublic'], 'encoding' => $this->options['encodeMethod'], 'invalidate' => $this->options['invalidate'], ); if ($this->options['maxAge'] > 0) { $cgOptions['maxAge'] = $this->options['maxAge']; } elseif ($this->options['debug']) { $cgOptions['invalidate'] = true; } $cg = new HTTP_ConditionalGet($cgOptions); if ($cg->cacheIsValid) { // client's cache is valid if (! $this->options['quiet']) { $cg->sendHeaders(); return; } return array( 'success' => true, 'statusCode' => 304, 'content' => '', 'headers' => $cg->getHeaders(), ); } // client will need output $headers = $cg->getHeaders(); unset($cg); if ($this->options['contentType'] === self::TYPE_CSS && $this->options['rewriteCssUris']) { $this->setupUriRewrites(); } if ($this->options['concatOnly']) { $this->options['minifiers'][self::TYPE_JS] = false; foreach ($this->sources as $key => $source) { if ($this->options['contentType'] === self::TYPE_JS) { $source->setMinifier('Minify::nullMinifier'); } elseif ($this->options['contentType'] === self::TYPE_CSS) { $source->setMinifier(array('Minify_CSSmin', 'minify')); $sourceOpts = $source->getMinifierOptions(); $sourceOpts['compress'] = false; $source->setMinifierOptions($sourceOpts); } } } // check server cache if (! $this->options['debug']) { // using cache // the goal is to use only the cache methods to sniff the length and // output the content, as they do not require ever loading the file into // memory. $cacheId = $this->_getCacheId(); $fullCacheId = ($this->options['encodeMethod']) ? $cacheId . '.gz' : $cacheId; // check cache for valid entry $cacheIsReady = $this->cache->isValid($fullCacheId, $this->options['lastModifiedTime']); if ($cacheIsReady) { $cacheContentLength = $this->cache->getSize($fullCacheId); } else { // generate & cache content try { $content = $this->combineMinify(); } catch (Exception $e) { $this->logger && $this->logger->critical($e->getMessage()); if (! $this->options['quiet']) { $this->errorExit($this->options['errorHeader'], self::URL_DEBUG); } throw $e; } $this->cache->store($cacheId, $content); if (function_exists('gzencode') && $this->options['encodeMethod']) { $this->cache->store($cacheId . '.gz', gzencode($content, $this->options['encodeLevel'])); } } } else { // no cache $cacheIsReady = false; try { $content = $this->combineMinify(); } catch (Exception $e) { $this->logger && $this->logger->critical($e->getMessage()); if (! $this->options['quiet']) { $this->errorExit($this->options['errorHeader'], self::URL_DEBUG); } throw $e; } } if (! $cacheIsReady && $this->options['encodeMethod']) { // still need to encode $content = gzencode($content, $this->options['encodeLevel']); } // add headers if ($cacheIsReady) { $headers['Content-Length'] = $cacheContentLength; } else { if (function_exists('mb_strlen') && ((int)ini_get('mbstring.func_overload') & 2)) { $headers['Content-Length'] = mb_strlen($content, '8bit'); } else { $headers['Content-Length'] = strlen($content); } } $headers['Content-Type'] = $this->options['contentType']; if ($this->options['contentTypeCharset']) { $headers['Content-Type'] .= '; charset=' . $this->options['contentTypeCharset']; } if ($this->options['encodeMethod'] !== '') { $headers['Content-Encoding'] = $contentEncoding; } if ($this->options['encodeOutput'] && $sendVary) { $headers['Vary'] = 'Accept-Encoding'; } if (! $this->options['quiet']) { // output headers & content foreach ($headers as $name => $val) { header($name . ': ' . $val); } if ($cacheIsReady) { $this->cache->display($fullCacheId); } else { echo $content; } } else { return array( 'success' => true, 'statusCode' => 200, 'content' => $cacheIsReady ? $this->cache->fetch($fullCacheId) : $content, 'headers' => $headers, ); } } /** * Return combined minified content for a set of sources * * No internal caching will be used and the content will not be HTTP encoded. * * @param array $sources array of filepaths and/or Minify_Source objects * * @param array $options (optional) array of options for serve. * * @return string */ public function combine($sources, $options = array()) { $tmpCache = $this->cache; $this->cache = new Minify_Cache_Null(); $env = new Minify_Env(); $sourceFactory = new Minify_Source_Factory($env, array( 'checkAllowDirs' => false, ), $this->cache); $controller = new Minify_Controller_Files($env, $sourceFactory, $this->logger); $options = array_merge($options, array( 'files' => (array)$sources, 'quiet' => true, 'encodeMethod' => '', 'lastModifiedTime' => 0, )); $out = $this->serve($controller, $options); $this->cache = $tmpCache; return $out['content']; } /** * Show an error page * * @param string $header Full header. E.g. 'HTTP/1.0 500 Internal Server Error' * @param string $url URL to direct the user to * @param string $msgHtml HTML message for the client * * @return void * @internal This is not part of the public API and is subject to change * @access private */ public function errorExit($header, $url = '', $msgHtml = '') { $url = htmlspecialchars($url, ENT_QUOTES); list(, $h1) = explode(' ', $header, 2); $h1 = htmlspecialchars($h1); // FastCGI environments require 3rd arg to header() to be set list(, $code) = explode(' ', $header, 3); header($header, true, $code); header('Content-Type: text/html; charset=utf-8'); echo "<h1>$h1</h1>"; if ($msgHtml) { echo $msgHtml; } if ($url) { echo "<p>Please see <a href='$url'>$url</a>.</p>"; } exit; } /** * Default minifier for .min or -min JS files. * * @param string $content * @return string */ public static function nullMinifier($content) { if (isset($content[0]) && $content[0] === "\xef") { $content = substr($content, 3); } $content = str_replace("\r\n", "\n", $content); return trim($content); } /** * Setup CSS sources for URI rewriting */ protected function setupUriRewrites() { foreach ($this->sources as $key => $source) { $file = $this->env->normalizePath($source->getFilePath()); $minifyOptions = $source->getMinifierOptions(); if ($file && !isset($minifyOptions['currentDir']) && !isset($minifyOptions['prependRelativePath'])) { $minifyOptions['currentDir'] = dirname($file); $source->setMinifierOptions($minifyOptions); } } } /** * Set up sources to use Minify_Lines */ protected function setupDebug() { foreach ($this->sources as $source) { $source->setMinifier(array('Minify_Lines', 'minify')); $id = $source->getId(); $source->setMinifierOptions(array( 'id' => (is_file($id) ? basename($id) : $id), )); } } /** * Combines sources and minifies the result. * * @return string * * @throws Exception */ protected function combineMinify() { $type = $this->options['contentType']; // ease readability // when combining scripts, make sure all statements separated and // trailing single line comment is terminated $implodeSeparator = ($type === self::TYPE_JS) ? "\n;" : ''; // allow the user to pass a particular array of options to each // minifier (designated by type). source objects may still override // these if (isset($this->options['minifierOptions'][$type])) { $defaultOptions = $this->options['minifierOptions'][$type]; } else { $defaultOptions = array(); } // if minifier not set, default is no minification. source objects // may still override this if (isset($this->options['minifiers'][$type])) { $defaultMinifier = $this->options['minifiers'][$type]; } else { $defaultMinifier = false; } // process groups of sources with identical minifiers/options $content = array(); $i = 0; $l = count($this->sources); $groupToProcessTogether = array(); $lastMinifier = null; $lastOptions = null; do { // get next source $source = null; if ($i < $l) { $source = $this->sources[$i]; $sourceContent = $source->getContent(); // allow the source to override our minifier and options $minifier = $source->getMinifier(); if (!$minifier) { $minifier = $defaultMinifier; } $options = array_merge($defaultOptions, $source->getMinifierOptions()); } // do we need to process our group right now? if ($i > 0 // yes, we have at least the first group populated && ( ! $source // yes, we ran out of sources || $type === self::TYPE_CSS // yes, to process CSS individually (avoiding PCRE bugs/limits) || $minifier !== $lastMinifier // yes, minifier changed || $options !== $lastOptions // yes, options changed )) { // minify previous sources with last settings $imploded = implode($implodeSeparator, $groupToProcessTogether); $groupToProcessTogether = array(); if ($lastMinifier) { try { $content[] = call_user_func($lastMinifier, $imploded, $lastOptions); } catch (Exception $e) { throw new Exception("Exception in minifier: " . $e->getMessage()); } } else { $content[] = $imploded; } } // add content to the group if ($source) { $groupToProcessTogether[] = $sourceContent; $lastMinifier = $minifier; $lastOptions = $options; } $i++; } while ($source); $content = implode($implodeSeparator, $content); if ($type === self::TYPE_CSS && false !== strpos($content, '@import')) { $content = $this->handleCssImports($content); } // do any post-processing (esp. for editing build URIs) if ($this->options['postprocessorRequire']) { require_once $this->options['postprocessorRequire']; } if ($this->options['postprocessor']) { $content = call_user_func($this->options['postprocessor'], $content, $type); } return $content; } /** * Make a unique cache id for for this request. * * Any settings that could affect output are taken into consideration * * @param string $prefix * * @return string */ protected function _getCacheId($prefix = 'minify') { $name = preg_replace('/[^a-zA-Z0-9\\.=_,]/', '', $this->selectionId); $name = preg_replace('/\\.+/', '.', $name); $name = substr($name, 0, 100 - 34 - strlen($prefix)); $md5 = md5(serialize(array( Minify_SourceSet::getDigest($this->sources), $this->options['minifiers'], $this->options['minifierOptions'], $this->options['postprocessor'], $this->options['bubbleCssImports'], Minify::VERSION, ))); return "{$prefix}_{$name}_{$md5}"; } /** * Bubble CSS @imports to the top or prepend a warning if an import is detected not at the top. * * @param string $css * * @return string */ protected function handleCssImports($css) { if ($this->options['bubbleCssImports']) { // bubble CSS imports preg_match_all('/@import.*?;/', $css, $imports); $css = implode('', $imports[0]) . preg_replace('/@import.*?;/', '', $css); return $css; } if ('' === $this->options['importWarning']) { return $css; } // remove comments so we don't mistake { in a comment as a block $noCommentCss = preg_replace('@/\\*[\\s\\S]*?\\*/@', '', $css); $lastImportPos = strrpos($noCommentCss, '@import'); $firstBlockPos = strpos($noCommentCss, '{'); if (false !== $lastImportPos && false !== $firstBlockPos && $firstBlockPos < $lastImportPos ) { // { appears before @import : prepend warning $css = $this->options['importWarning'] . $css; } return $css; } /** * Analyze sources (if there are any) and set $options 'contentType' * and 'lastModifiedTime' if they already aren't. * * @param array $options options for Minify * * @return array options for Minify */ protected function analyzeSources($options = array()) { if (!$this->sources) { return $options; } $type = null; foreach ($this->sources as $source) { $sourceType = $source->getContentType(); if (!empty($options['contentType'])) { // just verify sources have null content type or match the options if ($sourceType !== null && $sourceType !== $options['contentType']) { $this->logger && $this->logger->warning("ContentType mismatch: '{$sourceType}' != '{$options['contentType']}'"); $this->sources = array(); return $options; } continue; } if ($type === null) { $type = $sourceType; } elseif ($sourceType !== $type) { $this->logger && $this->logger->warning("ContentType mismatch: '{$sourceType}' != '{$type}'"); $this->sources = array(); return $options; } } if (empty($options['contentType'])) { if (null === $type) { $type = 'text/plain'; } $options['contentType'] = $type; } // last modified is needed for caching, even if setExpires is set if (!isset($options['lastModifiedTime'])) { $max = 0; foreach ($this->sources as $source) { $max = max($source->getLastModified(), $max); } $options['lastModifiedTime'] = $max; } return $options; } } PK &H~\�@d) d) minify/lib/HTTP/Encoder.phpnu �[��� <?php /** * Class HTTP_Encoder * @package Minify * @subpackage HTTP */ /** * Encode and send gzipped/deflated content * * The "Vary: Accept-Encoding" header is sent. If the client allows encoding, * Content-Encoding and Content-Length are added. * * <code> * // Send a CSS file, compressed if possible * $he = new HTTP_Encoder(array( * 'content' => file_get_contents($cssFile) * ,'type' => 'text/css' * )); * $he->encode(); * $he->sendAll(); * </code> * * <code> * // Shortcut to encoding output * header('Content-Type: text/css'); // needed if not HTML * HTTP_Encoder::output($css); * </code> * * <code> * // Just sniff for the accepted encoding * $encoding = HTTP_Encoder::getAcceptedEncoding(); * </code> * * For more control over headers, use getHeaders() and getData() and send your * own output. * * Note: If you don't need header mgmt, use PHP's native gzencode, gzdeflate, * and gzcompress functions for gzip, deflate, and compress-encoding * respectively. * * @package Minify * @subpackage HTTP * @author Stephen Clay <steve@mrclay.org> */ class HTTP_Encoder { /** * Should the encoder allow HTTP encoding to IE6? * * If you have many IE6 users and the bandwidth savings is worth troubling * some of them, set this to true. * * By default, encoding is only offered to IE7+. When this is true, * getAcceptedEncoding() will return an encoding for IE6 if its user agent * string contains "SV1". This has been documented in many places as "safe", * but there seem to be remaining, intermittent encoding bugs in patched * IE6 on the wild web. * * @var bool */ public static $encodeToIe6 = true; /** * Default compression level for zlib operations * * This level is used if encode() is not given a $compressionLevel * * @var int */ public static $compressionLevel = 6; /** * Get an HTTP Encoder object * * @param array $spec options * * 'content': (string required) content to be encoded * * 'type': (string) if set, the Content-Type header will have this value. * * 'method: (string) only set this if you are forcing a particular encoding * method. If not set, the best method will be chosen by getAcceptedEncoding() * The available methods are 'gzip', 'deflate', 'compress', and '' (no * encoding) */ public function __construct($spec) { $this->_useMbStrlen = (function_exists('mb_strlen') && (ini_get('mbstring.func_overload') !== '') && ((int)ini_get('mbstring.func_overload') & 2)); $this->_content = $spec['content']; $this->_headers['Content-Length'] = $this->_useMbStrlen ? (string)mb_strlen($this->_content, '8bit') : (string)strlen($this->_content); if (isset($spec['type'])) { $this->_headers['Content-Type'] = $spec['type']; } if (isset($spec['method']) && in_array($spec['method'], array('gzip', 'deflate', 'compress', ''))) { $this->_encodeMethod = array($spec['method'], $spec['method']); } else { $this->_encodeMethod = self::getAcceptedEncoding(); } } /** * Get content in current form * * Call after encode() for encoded content. * * @return string */ public function getContent() { return $this->_content; } /** * Get array of output headers to be sent * * E.g. * <code> * array( * 'Content-Length' => '615' * ,'Content-Encoding' => 'x-gzip' * ,'Vary' => 'Accept-Encoding' * ) * </code> * * @return array */ public function getHeaders() { return $this->_headers; } /** * Send output headers * * You must call this before headers are sent and it probably cannot be * used in conjunction with zlib output buffering / mod_gzip. Errors are * not handled purposefully. * * @see getHeaders() */ public function sendHeaders() { foreach ($this->_headers as $name => $val) { header($name . ': ' . $val); } } /** * Send output headers and content * * A shortcut for sendHeaders() and echo getContent() * * You must call this before headers are sent and it probably cannot be * used in conjunction with zlib output buffering / mod_gzip. Errors are * not handled purposefully. */ public function sendAll() { $this->sendHeaders(); echo $this->_content; } /** * Determine the client's best encoding method from the HTTP Accept-Encoding * header. * * If no Accept-Encoding header is set, or the browser is IE before v6 SP2, * this will return ('', ''), the "identity" encoding. * * A syntax-aware scan is done of the Accept-Encoding, so the method must * be non 0. The methods are favored in order of gzip, deflate, then * compress. Deflate is always smallest and generally faster, but is * rarely sent by servers, so client support could be buggier. * * @param bool $allowCompress allow the older compress encoding * * @param bool $allowDeflate allow the more recent deflate encoding * * @return array two values, 1st is the actual encoding method, 2nd is the * alias of that method to use in the Content-Encoding header (some browsers * call gzip "x-gzip" etc.) */ public static function getAcceptedEncoding($allowCompress = true, $allowDeflate = true) { // @link http://www.w3.org/Protocols/rfc2616/rfc2616-sec14.html if (! isset($_SERVER['HTTP_ACCEPT_ENCODING']) || self::isBuggyIe()) { return array('', ''); } $ae = $_SERVER['HTTP_ACCEPT_ENCODING']; // gzip checks (quick) if (0 === strpos($ae, 'gzip,') // most browsers || 0 === strpos($ae, 'deflate, gzip,') // opera ) { return array('gzip', 'gzip'); } // gzip checks (slow) if (preg_match( '@(?:^|,)\\s*((?:x-)?gzip)\\s*(?:$|,|;\\s*q=(?:0\\.|1))@', $ae, $m )) { return array('gzip', $m[1]); } if ($allowDeflate) { // deflate checks $aeRev = strrev($ae); if (0 === strpos($aeRev, 'etalfed ,') // ie, webkit || 0 === strpos($aeRev, 'etalfed,') // gecko || 0 === strpos($ae, 'deflate,') // opera // slow parsing || preg_match( '@(?:^|,)\\s*deflate\\s*(?:$|,|;\\s*q=(?:0\\.|1))@', $ae )) { return array('deflate', 'deflate'); } } if ($allowCompress && preg_match( '@(?:^|,)\\s*((?:x-)?compress)\\s*(?:$|,|;\\s*q=(?:0\\.|1))@', $ae, $m )) { return array('compress', $m[1]); } return array('', ''); } /** * Encode (compress) the content * * If the encode method is '' (none) or compression level is 0, or the 'zlib' * extension isn't loaded, we return false. * * Then the appropriate gz_* function is called to compress the content. If * this fails, false is returned. * * The header "Vary: Accept-Encoding" is added. If encoding is successful, * the Content-Length header is updated, and Content-Encoding is also added. * * @param int $compressionLevel given to zlib functions. If not given, the * class default will be used. * * @return bool success true if the content was actually compressed */ public function encode($compressionLevel = null) { if (! self::isBuggyIe()) { $this->_headers['Vary'] = 'Accept-Encoding'; } if (null === $compressionLevel) { $compressionLevel = self::$compressionLevel; } if ('' === $this->_encodeMethod[0] || ($compressionLevel == 0) || !extension_loaded('zlib')) { return false; } if ($this->_encodeMethod[0] === 'deflate') { $encoded = gzdeflate($this->_content, $compressionLevel); } elseif ($this->_encodeMethod[0] === 'gzip') { $encoded = gzencode($this->_content, $compressionLevel); } else { $encoded = gzcompress($this->_content, $compressionLevel); } if (false === $encoded) { return false; } $this->_headers['Content-Length'] = $this->_useMbStrlen ? (string)mb_strlen($encoded, '8bit') : (string)strlen($encoded); $this->_headers['Content-Encoding'] = $this->_encodeMethod[1]; $this->_content = $encoded; return true; } /** * Encode and send appropriate headers and content * * This is a convenience method for common use of the class * * @param string $content * * @param int $compressionLevel given to zlib functions. If not given, the * class default will be used. * * @return bool success true if the content was actually compressed */ public static function output($content, $compressionLevel = null) { if (null === $compressionLevel) { $compressionLevel = self::$compressionLevel; } $he = new HTTP_Encoder(array('content' => $content)); $ret = $he->encode($compressionLevel); $he->sendAll(); return $ret; } /** * Is the browser an IE version earlier than 6 SP2? * * @return bool */ public static function isBuggyIe() { if (empty($_SERVER['HTTP_USER_AGENT'])) { return false; } $ua = $_SERVER['HTTP_USER_AGENT']; // quick escape for non-IEs if (0 !== strpos($ua, 'Mozilla/4.0 (compatible; MSIE ') || false !== strpos($ua, 'Opera')) { return false; } // no regex = faaast $version = (float)substr($ua, 30); return self::$encodeToIe6 ? ($version < 6 || ($version == 6 && false === strpos($ua, 'SV1'))) : ($version < 7); } protected $_content = ''; protected $_headers = array(); protected $_encodeMethod = array('', ''); protected $_useMbStrlen = false; } PK 'H~\ϳ�.. .. "