| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877 | <?php/** * @link http://www.yiiframework.com/ * @copyright Copyright (c) 2008 Yii Software LLC * @license http://www.yiiframework.com/license/ */namespace yii\helpers;use Yii;use yii\base\ErrorException;use yii\base\InvalidArgumentException;use yii\base\InvalidConfigException;/** * BaseFileHelper provides concrete implementation for [[FileHelper]]. * * Do not use BaseFileHelper. Use [[FileHelper]] instead. * * @author Qiang Xue <qiang.xue@gmail.com> * @author Alex Makarov <sam@rmcreative.ru> * @since 2.0 */class BaseFileHelper{    const PATTERN_NODIR = 1;    const PATTERN_ENDSWITH = 4;    const PATTERN_MUSTBEDIR = 8;    const PATTERN_NEGATIVE = 16;    const PATTERN_CASE_INSENSITIVE = 32;    /**     * @var string the path (or alias) of a PHP file containing MIME type information.     */    public static $mimeMagicFile = '@yii/helpers/mimeTypes.php';    /**     * @var string the path (or alias) of a PHP file containing MIME aliases.     * @since 2.0.14     */    public static $mimeAliasesFile = '@yii/helpers/mimeAliases.php';    /**     * Normalizes a file/directory path.     *     * The normalization does the following work:     *     * - Convert all directory separators into `DIRECTORY_SEPARATOR` (e.g. "\a/b\c" becomes "/a/b/c")     * - Remove trailing directory separators (e.g. "/a/b/c/" becomes "/a/b/c")     * - Turn multiple consecutive slashes into a single one (e.g. "/a///b/c" becomes "/a/b/c")     * - Remove ".." and "." based on their meanings (e.g. "/a/./b/../c" becomes "/a/c")     *     * Note: For registered stream wrappers, the consecutive slashes rule     * and ".."/"." translations are skipped.     *     * @param string $path the file/directory path to be normalized     * @param string $ds the directory separator to be used in the normalized result. Defaults to `DIRECTORY_SEPARATOR`.     * @return string the normalized file/directory path     */    public static function normalizePath($path, $ds = DIRECTORY_SEPARATOR)    {        $path = rtrim(strtr($path, '/\\', $ds . $ds), $ds);        if (strpos($ds . $path, "{$ds}.") === false && strpos($path, "{$ds}{$ds}") === false) {            return $path;        }        // fix #17235 stream wrappers        foreach (stream_get_wrappers() as $protocol) {            if (strpos($path, "{$protocol}://") === 0) {                return $path;            }        }        // the path may contain ".", ".." or double slashes, need to clean them up        if (strpos($path, "{$ds}{$ds}") === 0 && $ds == '\\') {            $parts = [$ds];        } else {            $parts = [];        }        foreach (explode($ds, $path) as $part) {            if ($part === '..' && !empty($parts) && end($parts) !== '..') {                array_pop($parts);            } elseif ($part === '.' || $part === '' && !empty($parts)) {                continue;            } else {                $parts[] = $part;            }        }        $path = implode($ds, $parts);        return $path === '' ? '.' : $path;    }    /**     * Returns the localized version of a specified file.     *     * The searching is based on the specified language code. In particular,     * a file with the same name will be looked for under the subdirectory     * whose name is the same as the language code. For example, given the file "path/to/view.php"     * and language code "zh-CN", the localized file will be looked for as     * "path/to/zh-CN/view.php". If the file is not found, it will try a fallback with just a language code that is     * "zh" i.e. "path/to/zh/view.php". If it is not found as well the original file will be returned.     *     * If the target and the source language codes are the same,     * the original file will be returned.     *     * @param string $file the original file     * @param string $language the target language that the file should be localized to.     * If not set, the value of [[\yii\base\Application::language]] will be used.     * @param string $sourceLanguage the language that the original file is in.     * If not set, the value of [[\yii\base\Application::sourceLanguage]] will be used.     * @return string the matching localized file, or the original file if the localized version is not found.     * If the target and the source language codes are the same, the original file will be returned.     */    public static function localize($file, $language = null, $sourceLanguage = null)    {        if ($language === null) {            $language = Yii::$app->language;        }        if ($sourceLanguage === null) {            $sourceLanguage = Yii::$app->sourceLanguage;        }        if ($language === $sourceLanguage) {            return $file;        }        $desiredFile = dirname($file) . DIRECTORY_SEPARATOR . $language . DIRECTORY_SEPARATOR . basename($file);        if (is_file($desiredFile)) {            return $desiredFile;        }        $language = substr($language, 0, 2);        if ($language === $sourceLanguage) {            return $file;        }        $desiredFile = dirname($file) . DIRECTORY_SEPARATOR . $language . DIRECTORY_SEPARATOR . basename($file);        return is_file($desiredFile) ? $desiredFile : $file;    }    /**     * Determines the MIME type of the specified file.     * This method will first try to determine the MIME type based on     * [finfo_open](https://secure.php.net/manual/en/function.finfo-open.php). If the `fileinfo` extension is not installed,     * it will fall back to [[getMimeTypeByExtension()]] when `$checkExtension` is true.     * @param string $file the file name.     * @param string $magicFile name of the optional magic database file (or alias), usually something like `/path/to/magic.mime`.     * This will be passed as the second parameter to [finfo_open()](https://secure.php.net/manual/en/function.finfo-open.php)     * when the `fileinfo` extension is installed. If the MIME type is being determined based via [[getMimeTypeByExtension()]]     * and this is null, it will use the file specified by [[mimeMagicFile]].     * @param bool $checkExtension whether to use the file extension to determine the MIME type in case     * `finfo_open()` cannot determine it.     * @return string the MIME type (e.g. `text/plain`). Null is returned if the MIME type cannot be determined.     * @throws InvalidConfigException when the `fileinfo` PHP extension is not installed and `$checkExtension` is `false`.     */    public static function getMimeType($file, $magicFile = null, $checkExtension = true)    {        if ($magicFile !== null) {            $magicFile = Yii::getAlias($magicFile);        }        if (!extension_loaded('fileinfo')) {            if ($checkExtension) {                return static::getMimeTypeByExtension($file, $magicFile);            }            throw new InvalidConfigException('The fileinfo PHP extension is not installed.');        }        $info = finfo_open(FILEINFO_MIME_TYPE, $magicFile);        if ($info) {            $result = finfo_file($info, $file);            finfo_close($info);            if ($result !== false) {                return $result;            }        }        return $checkExtension ? static::getMimeTypeByExtension($file, $magicFile) : null;    }    /**     * Determines the MIME type based on the extension name of the specified file.     * This method will use a local map between extension names and MIME types.     * @param string $file the file name.     * @param string $magicFile the path (or alias) of the file that contains all available MIME type information.     * If this is not set, the file specified by [[mimeMagicFile]] will be used.     * @return string|null the MIME type. Null is returned if the MIME type cannot be determined.     */    public static function getMimeTypeByExtension($file, $magicFile = null)    {        $mimeTypes = static::loadMimeTypes($magicFile);        if (($ext = pathinfo($file, PATHINFO_EXTENSION)) !== '') {            $ext = strtolower($ext);            if (isset($mimeTypes[$ext])) {                return $mimeTypes[$ext];            }        }        return null;    }    /**     * Determines the extensions by given MIME type.     * This method will use a local map between extension names and MIME types.     * @param string $mimeType file MIME type.     * @param string $magicFile the path (or alias) of the file that contains all available MIME type information.     * If this is not set, the file specified by [[mimeMagicFile]] will be used.     * @return array the extensions corresponding to the specified MIME type     */    public static function getExtensionsByMimeType($mimeType, $magicFile = null)    {        $aliases = static::loadMimeAliases(static::$mimeAliasesFile);        if (isset($aliases[$mimeType])) {            $mimeType = $aliases[$mimeType];        }        $mimeTypes = static::loadMimeTypes($magicFile);        return array_keys($mimeTypes, mb_strtolower($mimeType, 'UTF-8'), true);    }    private static $_mimeTypes = [];    /**     * Loads MIME types from the specified file.     * @param string $magicFile the path (or alias) of the file that contains all available MIME type information.     * If this is not set, the file specified by [[mimeMagicFile]] will be used.     * @return array the mapping from file extensions to MIME types     */    protected static function loadMimeTypes($magicFile)    {        if ($magicFile === null) {            $magicFile = static::$mimeMagicFile;        }        $magicFile = Yii::getAlias($magicFile);        if (!isset(self::$_mimeTypes[$magicFile])) {            self::$_mimeTypes[$magicFile] = require $magicFile;        }        return self::$_mimeTypes[$magicFile];    }    private static $_mimeAliases = [];    /**     * Loads MIME aliases from the specified file.     * @param string $aliasesFile the path (or alias) of the file that contains MIME type aliases.     * If this is not set, the file specified by [[mimeAliasesFile]] will be used.     * @return array the mapping from file extensions to MIME types     * @since 2.0.14     */    protected static function loadMimeAliases($aliasesFile)    {        if ($aliasesFile === null) {            $aliasesFile = static::$mimeAliasesFile;        }        $aliasesFile = Yii::getAlias($aliasesFile);        if (!isset(self::$_mimeAliases[$aliasesFile])) {            self::$_mimeAliases[$aliasesFile] = require $aliasesFile;        }        return self::$_mimeAliases[$aliasesFile];    }    /**     * Copies a whole directory as another one.     * The files and sub-directories will also be copied over.     * @param string $src the source directory     * @param string $dst the destination directory     * @param array $options options for directory copy. Valid options are:     *     * - dirMode: integer, the permission to be set for newly copied directories. Defaults to 0775.     * - fileMode:  integer, the permission to be set for newly copied files. Defaults to the current environment setting.     * - filter: callback, a PHP callback that is called for each directory or file.     *   The signature of the callback should be: `function ($path)`, where `$path` refers the full path to be filtered.     *   The callback can return one of the following values:     *     *   * true: the directory or file will be copied (the "only" and "except" options will be ignored)     *   * false: the directory or file will NOT be copied (the "only" and "except" options will be ignored)     *   * null: the "only" and "except" options will determine whether the directory or file should be copied     *     * - only: array, list of patterns that the file paths should match if they want to be copied.     *   A path matches a pattern if it contains the pattern string at its end.     *   For example, '.php' matches all file paths ending with '.php'.     *   Note, the '/' characters in a pattern matches both '/' and '\' in the paths.     *   If a file path matches a pattern in both "only" and "except", it will NOT be copied.     * - except: array, list of patterns that the files or directories should match if they want to be excluded from being copied.     *   A path matches a pattern if it contains the pattern string at its end.     *   Patterns ending with '/' apply to directory paths only, and patterns not ending with '/'     *   apply to file paths only. For example, '/a/b' matches all file paths ending with '/a/b';     *   and '.svn/' matches directory paths ending with '.svn'. Note, the '/' characters in a pattern matches     *   both '/' and '\' in the paths.     * - caseSensitive: boolean, whether patterns specified at "only" or "except" should be case sensitive. Defaults to true.     * - recursive: boolean, whether the files under the subdirectories should also be copied. Defaults to true.     * - beforeCopy: callback, a PHP callback that is called before copying each sub-directory or file.     *   If the callback returns false, the copy operation for the sub-directory or file will be cancelled.     *   The signature of the callback should be: `function ($from, $to)`, where `$from` is the sub-directory or     *   file to be copied from, while `$to` is the copy target.     * - afterCopy: callback, a PHP callback that is called after each sub-directory or file is successfully copied.     *   The signature of the callback should be: `function ($from, $to)`, where `$from` is the sub-directory or     *   file copied from, while `$to` is the copy target.     * - copyEmptyDirectories: boolean, whether to copy empty directories. Set this to false to avoid creating directories     *   that do not contain files. This affects directories that do not contain files initially as well as directories that     *   do not contain files at the target destination because files have been filtered via `only` or `except`.     *   Defaults to true. This option is available since version 2.0.12. Before 2.0.12 empty directories are always copied.     * @throws InvalidArgumentException if unable to open directory     */    public static function copyDirectory($src, $dst, $options = [])    {        $src = static::normalizePath($src);        $dst = static::normalizePath($dst);        if ($src === $dst || strpos($dst, $src . DIRECTORY_SEPARATOR) === 0) {            throw new InvalidArgumentException('Trying to copy a directory to itself or a subdirectory.');        }        $dstExists = is_dir($dst);        if (!$dstExists && (!isset($options['copyEmptyDirectories']) || $options['copyEmptyDirectories'])) {            static::createDirectory($dst, isset($options['dirMode']) ? $options['dirMode'] : 0775, true);            $dstExists = true;        }        $handle = opendir($src);        if ($handle === false) {            throw new InvalidArgumentException("Unable to open directory: $src");        }        if (!isset($options['basePath'])) {            // this should be done only once            $options['basePath'] = realpath($src);            $options = static::normalizeOptions($options);        }        while (($file = readdir($handle)) !== false) {            if ($file === '.' || $file === '..') {                continue;            }            $from = $src . DIRECTORY_SEPARATOR . $file;            $to = $dst . DIRECTORY_SEPARATOR . $file;            if (static::filterPath($from, $options)) {                if (isset($options['beforeCopy']) && !call_user_func($options['beforeCopy'], $from, $to)) {                    continue;                }                if (is_file($from)) {                    if (!$dstExists) {                        // delay creation of destination directory until the first file is copied to avoid creating empty directories                        static::createDirectory($dst, isset($options['dirMode']) ? $options['dirMode'] : 0775, true);                        $dstExists = true;                    }                    copy($from, $to);                    if (isset($options['fileMode'])) {                        @chmod($to, $options['fileMode']);                    }                } else {                    // recursive copy, defaults to true                    if (!isset($options['recursive']) || $options['recursive']) {                        static::copyDirectory($from, $to, $options);                    }                }                if (isset($options['afterCopy'])) {                    call_user_func($options['afterCopy'], $from, $to);                }            }        }        closedir($handle);    }    /**     * Removes a directory (and all its content) recursively.     *     * @param string $dir the directory to be deleted recursively.     * @param array $options options for directory remove. Valid options are:     *     * - traverseSymlinks: boolean, whether symlinks to the directories should be traversed too.     *   Defaults to `false`, meaning the content of the symlinked directory would not be deleted.     *   Only symlink would be removed in that default case.     *     * @throws ErrorException in case of failure     */    public static function removeDirectory($dir, $options = [])    {        if (!is_dir($dir)) {            return;        }        if (!empty($options['traverseSymlinks']) || !is_link($dir)) {            if (!($handle = opendir($dir))) {                return;            }            while (($file = readdir($handle)) !== false) {                if ($file === '.' || $file === '..') {                    continue;                }                $path = $dir . DIRECTORY_SEPARATOR . $file;                if (is_dir($path)) {                    static::removeDirectory($path, $options);                } else {                    static::unlink($path);                }            }            closedir($handle);        }        if (is_link($dir)) {            static::unlink($dir);        } else {            rmdir($dir);        }    }    /**     * Removes a file or symlink in a cross-platform way     *     * @param string $path     * @return bool     *     * @since 2.0.14     */    public static function unlink($path)    {        $isWindows = DIRECTORY_SEPARATOR === '\\';        if (!$isWindows) {            return unlink($path);        }        if (is_link($path) && is_dir($path)) {            return rmdir($path);        }        try {            return unlink($path);        } catch (ErrorException $e) {            // last resort measure for Windows            if (is_dir($path) && count(static::findFiles($path)) !== 0) {                return false;            }            if (function_exists('exec') && file_exists($path)) {                exec('DEL /F/Q ' . escapeshellarg($path));                return !file_exists($path);            }            return false;        }    }    /**     * Returns the files found under the specified directory and subdirectories.     * @param string $dir the directory under which the files will be looked for.     * @param array $options options for file searching. Valid options are:     *     * - `filter`: callback, a PHP callback that is called for each directory or file.     *   The signature of the callback should be: `function ($path)`, where `$path` refers the full path to be filtered.     *   The callback can return one of the following values:     *     *   * `true`: the directory or file will be returned (the `only` and `except` options will be ignored)     *   * `false`: the directory or file will NOT be returned (the `only` and `except` options will be ignored)     *   * `null`: the `only` and `except` options will determine whether the directory or file should be returned     *     * - `except`: array, list of patterns excluding from the results matching file or directory paths.     *   Patterns ending with slash ('/') apply to directory paths only, and patterns not ending with '/'     *   apply to file paths only. For example, '/a/b' matches all file paths ending with '/a/b';     *   and `.svn/` matches directory paths ending with `.svn`.     *   If the pattern does not contain a slash (`/`), it is treated as a shell glob pattern     *   and checked for a match against the pathname relative to `$dir`.     *   Otherwise, the pattern is treated as a shell glob suitable for consumption by `fnmatch(3)`     *   with the `FNM_PATHNAME` flag: wildcards in the pattern will not match a `/` in the pathname.     *   For example, `views/*.php` matches `views/index.php` but not `views/controller/index.php`.     *   A leading slash matches the beginning of the pathname. For example, `/*.php` matches `index.php` but not `views/start/index.php`.     *   An optional prefix `!` which negates the pattern; any matching file excluded by a previous pattern will become included again.     *   If a negated pattern matches, this will override lower precedence patterns sources. Put a backslash (`\`) in front of the first `!`     *   for patterns that begin with a literal `!`, for example, `\!important!.txt`.     *   Note, the '/' characters in a pattern matches both '/' and '\' in the paths.     * - `only`: array, list of patterns that the file paths should match if they are to be returned. Directory paths     *   are not checked against them. Same pattern matching rules as in the `except` option are used.     *   If a file path matches a pattern in both `only` and `except`, it will NOT be returned.     * - `caseSensitive`: boolean, whether patterns specified at `only` or `except` should be case sensitive. Defaults to `true`.     * - `recursive`: boolean, whether the files under the subdirectories should also be looked for. Defaults to `true`.     * @return array files found under the directory, in no particular order. Ordering depends on the files system used.     * @throws InvalidArgumentException if the dir is invalid.     */    public static function findFiles($dir, $options = [])    {        $dir = self::clearDir($dir);        $options = self::setBasePath($dir, $options);        $list = [];        $handle = self::openDir($dir);        while (($file = readdir($handle)) !== false) {            if ($file === '.' || $file === '..') {                continue;            }            $path = $dir . DIRECTORY_SEPARATOR . $file;            if (static::filterPath($path, $options)) {                if (is_file($path)) {                    $list[] = $path;                } elseif (is_dir($path) && (!isset($options['recursive']) || $options['recursive'])) {                    $list = array_merge($list, static::findFiles($path, $options));                }            }        }        closedir($handle);        return $list;    }    /**     * Returns the directories found under the specified directory and subdirectories.     * @param string $dir the directory under which the files will be looked for.     * @param array $options options for directory searching. Valid options are:     *     * - `filter`: callback, a PHP callback that is called for each directory or file.     *   The signature of the callback should be: `function ($path)`, where `$path` refers the full path to be filtered.     *   The callback can return one of the following values:     *     *   * `true`: the directory will be returned     *   * `false`: the directory will NOT be returned     *     * - `recursive`: boolean, whether the files under the subdirectories should also be looked for. Defaults to `true`.     * @return array directories found under the directory, in no particular order. Ordering depends on the files system used.     * @throws InvalidArgumentException if the dir is invalid.     * @since 2.0.14     */    public static function findDirectories($dir, $options = [])    {        $dir = self::clearDir($dir);        $options = self::setBasePath($dir, $options);        $list = [];        $handle = self::openDir($dir);        while (($file = readdir($handle)) !== false) {            if ($file === '.' || $file === '..') {                continue;            }            $path = $dir . DIRECTORY_SEPARATOR . $file;            if (is_dir($path) && static::filterPath($path, $options)) {                $list[] = $path;                if (!isset($options['recursive']) || $options['recursive']) {                    $list = array_merge($list, static::findDirectories($path, $options));                }            }        }        closedir($handle);        return $list;    }    /**     * @param string $dir     */    private static function setBasePath($dir, $options)    {        if (!isset($options['basePath'])) {            // this should be done only once            $options['basePath'] = realpath($dir);            $options = static::normalizeOptions($options);        }        return $options;    }    /**     * @param string $dir     */    private static function openDir($dir)    {        $handle = opendir($dir);        if ($handle === false) {            throw new InvalidArgumentException("Unable to open directory: $dir");        }        return $handle;    }    /**     * @param string $dir     */    private static function clearDir($dir)    {        if (!is_dir($dir)) {            throw new InvalidArgumentException("The dir argument must be a directory: $dir");        }        return rtrim($dir, DIRECTORY_SEPARATOR);    }    /**     * Checks if the given file path satisfies the filtering options.     * @param string $path the path of the file or directory to be checked     * @param array $options the filtering options. See [[findFiles()]] for explanations of     * the supported options.     * @return bool whether the file or directory satisfies the filtering options.     */    public static function filterPath($path, $options)    {        if (isset($options['filter'])) {            $result = call_user_func($options['filter'], $path);            if (is_bool($result)) {                return $result;            }        }        if (empty($options['except']) && empty($options['only'])) {            return true;        }        $path = str_replace('\\', '/', $path);        if (!empty($options['except'])) {            if (($except = self::lastExcludeMatchingFromList($options['basePath'], $path, $options['except'])) !== null) {                return $except['flags'] & self::PATTERN_NEGATIVE;            }        }        if (!empty($options['only']) && !is_dir($path)) {            if (($except = self::lastExcludeMatchingFromList($options['basePath'], $path, $options['only'])) !== null) {                // don't check PATTERN_NEGATIVE since those entries are not prefixed with !                return true;            }            return false;        }        return true;    }    /**     * Creates a new directory.     *     * This method is similar to the PHP `mkdir()` function except that     * it uses `chmod()` to set the permission of the created directory     * in order to avoid the impact of the `umask` setting.     *     * @param string $path path of the directory to be created.     * @param int $mode the permission to be set for the created directory.     * @param bool $recursive whether to create parent directories if they do not exist.     * @return bool whether the directory is created successfully     * @throws \yii\base\Exception if the directory could not be created (i.e. php error due to parallel changes)     */    public static function createDirectory($path, $mode = 0775, $recursive = true)    {        if (is_dir($path)) {            return true;        }        $parentDir = dirname($path);        // recurse if parent dir does not exist and we are not at the root of the file system.        if ($recursive && !is_dir($parentDir) && $parentDir !== $path) {            static::createDirectory($parentDir, $mode, true);        }        try {            if (!mkdir($path, $mode)) {                return false;            }        } catch (\Exception $e) {            if (!is_dir($path)) {// https://github.com/yiisoft/yii2/issues/9288                throw new \yii\base\Exception("Failed to create directory \"$path\": " . $e->getMessage(), $e->getCode(), $e);            }        }        try {            return chmod($path, $mode);        } catch (\Exception $e) {            throw new \yii\base\Exception("Failed to change permissions for directory \"$path\": " . $e->getMessage(), $e->getCode(), $e);        }    }    /**     * Performs a simple comparison of file or directory names.     *     * Based on match_basename() from dir.c of git 1.8.5.3 sources.     *     * @param string $baseName file or directory name to compare with the pattern     * @param string $pattern the pattern that $baseName will be compared against     * @param int|bool $firstWildcard location of first wildcard character in the $pattern     * @param int $flags pattern flags     * @return bool whether the name matches against pattern     */    private static function matchBasename($baseName, $pattern, $firstWildcard, $flags)    {        if ($firstWildcard === false) {            if ($pattern === $baseName) {                return true;            }        } elseif ($flags & self::PATTERN_ENDSWITH) {            /* "*literal" matching against "fooliteral" */            $n = StringHelper::byteLength($pattern);            if (StringHelper::byteSubstr($pattern, 1, $n) === StringHelper::byteSubstr($baseName, -$n, $n)) {                return true;            }        }        $matchOptions = [];        if ($flags & self::PATTERN_CASE_INSENSITIVE) {            $matchOptions['caseSensitive'] = false;        }        return StringHelper::matchWildcard($pattern, $baseName, $matchOptions);    }    /**     * Compares a path part against a pattern with optional wildcards.     *     * Based on match_pathname() from dir.c of git 1.8.5.3 sources.     *     * @param string $path full path to compare     * @param string $basePath base of path that will not be compared     * @param string $pattern the pattern that path part will be compared against     * @param int|bool $firstWildcard location of first wildcard character in the $pattern     * @param int $flags pattern flags     * @return bool whether the path part matches against pattern     */    private static function matchPathname($path, $basePath, $pattern, $firstWildcard, $flags)    {        // match with FNM_PATHNAME; the pattern has base implicitly in front of it.        if (isset($pattern[0]) && $pattern[0] === '/') {            $pattern = StringHelper::byteSubstr($pattern, 1, StringHelper::byteLength($pattern));            if ($firstWildcard !== false && $firstWildcard !== 0) {                $firstWildcard--;            }        }        $namelen = StringHelper::byteLength($path) - (empty($basePath) ? 0 : StringHelper::byteLength($basePath) + 1);        $name = StringHelper::byteSubstr($path, -$namelen, $namelen);        if ($firstWildcard !== 0) {            if ($firstWildcard === false) {                $firstWildcard = StringHelper::byteLength($pattern);            }            // if the non-wildcard part is longer than the remaining pathname, surely it cannot match.            if ($firstWildcard > $namelen) {                return false;            }            if (strncmp($pattern, $name, $firstWildcard)) {                return false;            }            $pattern = StringHelper::byteSubstr($pattern, $firstWildcard, StringHelper::byteLength($pattern));            $name = StringHelper::byteSubstr($name, $firstWildcard, $namelen);            // If the whole pattern did not have a wildcard, then our prefix match is all we need; we do not need to call fnmatch at all.            if (empty($pattern) && empty($name)) {                return true;            }        }        $matchOptions = [            'filePath' => true        ];        if ($flags & self::PATTERN_CASE_INSENSITIVE) {            $matchOptions['caseSensitive'] = false;        }        return StringHelper::matchWildcard($pattern, $name, $matchOptions);    }    /**     * Scan the given exclude list in reverse to see whether pathname     * should be ignored.  The first match (i.e. the last on the list), if     * any, determines the fate.  Returns the element which     * matched, or null for undecided.     *     * Based on last_exclude_matching_from_list() from dir.c of git 1.8.5.3 sources.     *     * @param string $basePath     * @param string $path     * @param array $excludes list of patterns to match $path against     * @return array|null null or one of $excludes item as an array with keys: 'pattern', 'flags'     * @throws InvalidArgumentException if any of the exclude patterns is not a string or an array with keys: pattern, flags, firstWildcard.     */    private static function lastExcludeMatchingFromList($basePath, $path, $excludes)    {        foreach (array_reverse($excludes) as $exclude) {            if (is_string($exclude)) {                $exclude = self::parseExcludePattern($exclude, false);            }            if (!isset($exclude['pattern']) || !isset($exclude['flags']) || !isset($exclude['firstWildcard'])) {                throw new InvalidArgumentException('If exclude/include pattern is an array it must contain the pattern, flags and firstWildcard keys.');            }            if ($exclude['flags'] & self::PATTERN_MUSTBEDIR && !is_dir($path)) {                continue;            }            if ($exclude['flags'] & self::PATTERN_NODIR) {                if (self::matchBasename(basename($path), $exclude['pattern'], $exclude['firstWildcard'], $exclude['flags'])) {                    return $exclude;                }                continue;            }            if (self::matchPathname($path, $basePath, $exclude['pattern'], $exclude['firstWildcard'], $exclude['flags'])) {                return $exclude;            }        }        return null;    }    /**     * Processes the pattern, stripping special characters like / and ! from the beginning and settings flags instead.     * @param string $pattern     * @param bool $caseSensitive     * @return array with keys: (string) pattern, (int) flags, (int|bool) firstWildcard     * @throws InvalidArgumentException     */    private static function parseExcludePattern($pattern, $caseSensitive)    {        if (!is_string($pattern)) {            throw new InvalidArgumentException('Exclude/include pattern must be a string.');        }        $result = [            'pattern' => $pattern,            'flags' => 0,            'firstWildcard' => false,        ];        if (!$caseSensitive) {            $result['flags'] |= self::PATTERN_CASE_INSENSITIVE;        }        if (!isset($pattern[0])) {            return $result;        }        if ($pattern[0] === '!') {            $result['flags'] |= self::PATTERN_NEGATIVE;            $pattern = StringHelper::byteSubstr($pattern, 1, StringHelper::byteLength($pattern));        }        if (StringHelper::byteLength($pattern) && StringHelper::byteSubstr($pattern, -1, 1) === '/') {            $pattern = StringHelper::byteSubstr($pattern, 0, -1);            $result['flags'] |= self::PATTERN_MUSTBEDIR;        }        if (strpos($pattern, '/') === false) {            $result['flags'] |= self::PATTERN_NODIR;        }        $result['firstWildcard'] = self::firstWildcardInPattern($pattern);        if ($pattern[0] === '*' && self::firstWildcardInPattern(StringHelper::byteSubstr($pattern, 1, StringHelper::byteLength($pattern))) === false) {            $result['flags'] |= self::PATTERN_ENDSWITH;        }        $result['pattern'] = $pattern;        return $result;    }    /**     * Searches for the first wildcard character in the pattern.     * @param string $pattern the pattern to search in     * @return int|bool position of first wildcard character or false if not found     */    private static function firstWildcardInPattern($pattern)    {        $wildcards = ['*', '?', '[', '\\'];        $wildcardSearch = function ($r, $c) use ($pattern) {            $p = strpos($pattern, $c);            return $r === false ? $p : ($p === false ? $r : min($r, $p));        };        return array_reduce($wildcards, $wildcardSearch, false);    }    /**     * @param array $options raw options     * @return array normalized options     * @since 2.0.12     */    protected static function normalizeOptions(array $options)    {        if (!array_key_exists('caseSensitive', $options)) {            $options['caseSensitive'] = true;        }        if (isset($options['except'])) {            foreach ($options['except'] as $key => $value) {                if (is_string($value)) {                    $options['except'][$key] = self::parseExcludePattern($value, $options['caseSensitive']);                }            }        }        if (isset($options['only'])) {            foreach ($options['only'] as $key => $value) {                if (is_string($value)) {                    $options['only'][$key] = self::parseExcludePattern($value, $options['caseSensitive']);                }            }        }        return $options;    }}
 |